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 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599
|
# -*- coding: utf-8 -*-
"""Read information from Core Dumps.
Core dumps are extremely useful when writing exploits, even outside of
the normal act of debugging things.
Using Corefiles to Automate Exploitation
----------------------------------------
For example, if you have a trivial buffer overflow and don't want to
open up a debugger or calculate offsets, you can use a generated core
dump to extract the relevant information.
.. code-block:: c
#include <string.h>
#include <stdlib.h>
#include <unistd.h>
void win() {
system("sh");
}
int main(int argc, char** argv) {
char buffer[64];
strcpy(buffer, argv[1]);
}
.. code-block:: shell
$ gcc crash.c -m32 -o crash -fno-stack-protector
.. code-block:: python
from pwn import *
# Generate a cyclic pattern so that we can auto-find the offset
payload = cyclic(128)
# Run the process once so that it crashes
process(['./crash', payload]).wait()
# Get the core dump
core = Coredump('./core')
# Our cyclic pattern should have been used as the crashing address
assert pack(core.eip) in payload
# Cool! Now let's just replace that value with the address of 'win'
crash = ELF('./crash')
payload = fit({
cyclic_find(core.eip): crash.symbols.win
})
# Get a shell!
io = process(['./crash', payload])
io.sendline(b'id')
print(io.recvline())
# uid=1000(user) gid=1000(user) groups=1000(user)
Module Members
----------------------------------------
"""
from __future__ import absolute_import
from __future__ import division
import collections
import ctypes
import glob
import gzip
import re
import os
import socket
import subprocess
import tempfile
from io import BytesIO, StringIO
import elftools
from elftools.common.utils import roundup
from elftools.common.utils import struct_parse
from elftools.construct import CString
from pwnlib import atexit
from pwnlib.context import context
from pwnlib.elf.datatypes import *
from pwnlib.elf.elf import ELF
from pwnlib.log import getLogger
from pwnlib.tubes.process import process
from pwnlib.tubes.ssh import ssh_channel
from pwnlib.tubes.tube import tube
from pwnlib.util.fiddling import b64d
from pwnlib.util.fiddling import enhex
from pwnlib.util.fiddling import unhex
from pwnlib.util.misc import read
from pwnlib.util.misc import write
from pwnlib.util.packing import pack
from pwnlib.util.packing import unpack_many
log = getLogger(__name__)
prstatus_types = {
'i386': elf_prstatus_i386,
'amd64': elf_prstatus_amd64,
'arm': elf_prstatus_arm,
'aarch64': elf_prstatus_aarch64
}
siginfo_types = {
32: elf_siginfo_32,
64: elf_siginfo_64
}
class Mapping(object):
"""Encapsulates information about a memory mapping in a :class:`Corefile`.
"""
def __init__(self, core, name, start, stop, flags, page_offset):
self._core=core
#: :class:`str`: Name of the mapping, e.g. ``'/bin/bash'`` or ``'[vdso]'``.
self.name = name or ''
#: :class:`int`: First mapped byte in the mapping
self.start = start
#: :class:`int`: First byte after the end of hte mapping
self.stop = stop
#: :class:`int`: Size of the mapping, in bytes
self.size = stop-start
#: :class:`int`: Offset in pages in the mapped file
self.page_offset = page_offset or 0
#: :class:`int`: Mapping flags, using e.g. ``PROT_READ`` and so on.
self.flags = flags
@property
def path(self):
""":class:`str`: Alias for :attr:`.Mapping.name`"""
return self.name
@property
def address(self):
""":class:`int`: Alias for :data:`Mapping.start`."""
return self.start
@property
def permstr(self):
""":class:`str`: Human-readable memory permission string, e.g. ``r-xp``."""
flags = self.flags
return ''.join(['r' if flags & 4 else '-',
'w' if flags & 2 else '-',
'x' if flags & 1 else '-',
'p'])
def __str__(self):
return '%x-%x %s %x %s' % (self.start,self.stop,self.permstr,self.size,self.name)
def __repr__(self):
return '%s(%r, start=%#x, stop=%#x, size=%#x, flags=%#x, page_offset=%#x)' \
% (self.__class__.__name__,
self.name,
self.start,
self.stop,
self.size,
self.flags,
self.page_offset)
def __int__(self):
return self.start
@property
def data(self):
""":class:`str`: Memory of the mapping."""
return self._core.read(self.start, self.size)
def __getitem__(self, item):
if isinstance(item, slice):
start = int(item.start or self.start)
stop = int(item.stop or self.stop)
# Negative slices...
if start < 0:
start += self.stop
if stop < 0:
stop += self.stop
if not (self.start <= start <= stop <= self.stop):
log.error("Byte range [%#x:%#x] not within range [%#x:%#x]",
start, stop, self.start, self.stop)
data = self._core.read(start, stop-start)
if item.step == 1:
return data
return data[::item.step]
return self._core.read(item, 1)
def __contains__(self, item):
if isinstance(item, Mapping):
return (self.start <= item.start) and (item.stop <= self.stop)
return self.start <= item < self.stop
def find(self, sub, start=None, end=None):
"""Similar to str.find() but works on our address space"""
if start is None:
start = self.start
if end is None:
end = self.stop
result = self.data.find(sub, start-self.address, end-self.address)
if result == -1:
return result
return result + self.address
def rfind(self, sub, start=None, end=None):
"""Similar to str.rfind() but works on our address space"""
if start is None:
start = self.start
if end is None:
end = self.stop
result = self.data.rfind(sub, start-self.address, end-self.address)
if result == -1:
return result
return result + self.address
class Corefile(ELF):
r"""Enhances the information available about a corefile (which is an extension
of the ELF format) by permitting extraction of information about the mapped
data segments, and register state.
Registers can be accessed directly, e.g. via ``core_obj.eax`` and enumerated
via :data:`Corefile.registers`.
Memory can be accessed directly via :meth:`.read` or :meth:`.write`, and also
via :meth:`.pack` or :meth:`.unpack` or even :meth:`.string`.
Arguments:
core: Path to the core file. Alternately, may be a :class:`.process` instance,
and the core file will be located automatically.
::
>>> c = Corefile('./core')
>>> hex(c.eax)
'0xfff5f2e0'
>>> c.registers
{'eax': 4294308576,
'ebp': 1633771891,
'ebx': 4151132160,
'ecx': 4294311760,
'edi': 0,
'edx': 4294308700,
'eflags': 66050,
'eip': 1633771892,
'esi': 0,
'esp': 4294308656,
'orig_eax': 4294967295,
'xcs': 35,
'xds': 43,
'xes': 43,
'xfs': 0,
'xgs': 99,
'xss': 43}
Mappings can be iterated in order via :attr:`Corefile.mappings`.
::
>>> Corefile('./core').mappings
[Mapping('/home/user/pwntools/crash', start=0x8048000, stop=0x8049000, size=0x1000, flags=0x5, page_offset=0x0),
Mapping('/home/user/pwntools/crash', start=0x8049000, stop=0x804a000, size=0x1000, flags=0x4, page_offset=0x1),
Mapping('/home/user/pwntools/crash', start=0x804a000, stop=0x804b000, size=0x1000, flags=0x6, page_offset=0x2),
Mapping(None, start=0xf7528000, stop=0xf7529000, size=0x1000, flags=0x6, page_offset=0x0),
Mapping('/lib/i386-linux-gnu/libc-2.19.so', start=0xf7529000, stop=0xf76d1000, size=0x1a8000, flags=0x5, page_offset=0x0),
Mapping('/lib/i386-linux-gnu/libc-2.19.so', start=0xf76d1000, stop=0xf76d2000, size=0x1000, flags=0x0, page_offset=0x1a8),
Mapping('/lib/i386-linux-gnu/libc-2.19.so', start=0xf76d2000, stop=0xf76d4000, size=0x2000, flags=0x4, page_offset=0x1a9),
Mapping('/lib/i386-linux-gnu/libc-2.19.so', start=0xf76d4000, stop=0xf76d5000, size=0x1000, flags=0x6, page_offset=0x1aa),
Mapping(None, start=0xf76d5000, stop=0xf76d8000, size=0x3000, flags=0x6, page_offset=0x0),
Mapping(None, start=0xf76ef000, stop=0xf76f1000, size=0x2000, flags=0x6, page_offset=0x0),
Mapping('[vdso]', start=0xf76f1000, stop=0xf76f2000, size=0x1000, flags=0x5, page_offset=0x0),
Mapping('/lib/i386-linux-gnu/ld-2.19.so', start=0xf76f2000, stop=0xf7712000, size=0x20000, flags=0x5, page_offset=0x0),
Mapping('/lib/i386-linux-gnu/ld-2.19.so', start=0xf7712000, stop=0xf7713000, size=0x1000, flags=0x4, page_offset=0x20),
Mapping('/lib/i386-linux-gnu/ld-2.19.so', start=0xf7713000, stop=0xf7714000, size=0x1000, flags=0x6, page_offset=0x21),
Mapping('[stack]', start=0xfff3e000, stop=0xfff61000, size=0x23000, flags=0x6, page_offset=0x0)]
Examples:
Let's build an example binary which should eat ``R0=0xdeadbeef``
and ``PC=0xcafebabe``.
If we run the binary and then wait for it to exit, we can get its
core file.
>>> context.clear(arch='arm')
>>> shellcode = shellcraft.mov('r0', 0xdeadbeef)
>>> shellcode += shellcraft.mov('r1', 0xcafebabe)
>>> shellcode += 'bx r1'
>>> address = 0x41410000
>>> elf = ELF.from_assembly(shellcode, vma=address)
>>> io = elf.process(env={'HELLO': 'WORLD'})
>>> io.poll(block=True)
-11
You can specify a full path a la ``Corefile('/path/to/core')``,
but you can also just access the :attr:`.process.corefile` attribute.
There's a lot of behind-the-scenes logic to locate the corefile for
a given process, but it's all handled transparently by Pwntools.
>>> core = io.corefile
The core file has a :attr:`exe` property, which is a :class:`.Mapping`
object. Each mapping can be accessed with virtual addresses via subscript, or
contents can be examined via the :attr:`.Mapping.data` attribute.
>>> core.exe # doctest: +ELLIPSIS
Mapping('/.../step3', start=..., stop=..., size=0x1000, flags=0x..., page_offset=...)
>>> hex(core.exe.address)
'0x41410000'
The core file also has registers which can be accessed direclty.
Pseudo-registers :attr:`pc` and :attr:`sp` are available on all architectures,
to make writing architecture-agnostic code more simple.
If this were an amd64 corefile, we could access e.g. ``core.rax``.
>>> core.pc == 0xcafebabe
True
>>> core.r0 == 0xdeadbeef
True
>>> core.sp == core.r13
True
We may not always know which signal caused the core dump, or what address
caused a segmentation fault. Instead of accessing registers directly, we
can also extract this information from the core dump via :attr:`fault_addr`
and :attr:`signal`.
On QEMU-generated core dumps, this information is unavailable, so we
substitute the value of PC. In our example, that's correct anyway.
>>> core.fault_addr == 0xcafebabe
True
>>> core.signal
11
Core files can also be generated from running processes.
This requires GDB to be installed, and can only be done with native processes.
Getting a "complete" corefile requires GDB 7.11 or better.
>>> elf = ELF(which('bash-static'))
>>> context.clear(binary=elf)
>>> env = dict(os.environ)
>>> env['HELLO'] = 'WORLD'
>>> io = process(elf.path, env=env)
>>> io.sendline(b'echo hello')
>>> io.recvline()
b'hello\n'
The process is still running, but accessing its :attr:`.process.corefile` property
automatically invokes GDB to attach and dump a corefile.
>>> core = io.corefile
>>> io.close()
The corefile can be inspected and read from, and even exposes various mappings
>>> core.exe # doctest: +ELLIPSIS
Mapping('.../bin/bash-static', start=..., stop=..., size=..., flags=..., page_offset=...)
>>> core.exe.data[0:4]
b'\x7fELF'
It also supports all of the features of :class:`ELF`, so you can :meth:`.read`
or :meth:`.write` or even the helpers like :meth:`.pack` or :meth:`.unpack`.
Don't forget to call :meth:`.ELF.save` to save the changes to disk.
>>> core.read(elf.address, 4)
b'\x7fELF'
>>> core.pack(core.sp, 0xdeadbeef)
>>> core.save()
Let's re-load it as a new :attr:`Corefile` object and have a look!
>>> core2 = Corefile(core.path)
>>> hex(core2.unpack(core2.sp))
'0xdeadbeef'
Various other mappings are available by name, for the first segment of:
* :attr:`.exe` the executable
* :attr:`.libc` the loaded libc, if any
* :attr:`.stack` the stack mapping
* :attr:`.vvar`
* :attr:`.vdso`
* :attr:`.vsyscall`
On Linux, 32-bit Intel binaries should have a VDSO section via :attr:`vdso`.
Since our ELF is statically linked, there is no libc which gets mapped.
>>> core.vdso.data[:4]
b'\x7fELF'
>>> core.libc
But if we dump a corefile from a dynamically-linked binary, the :attr:`.libc`
will be loaded.
>>> process('bash').corefile.libc # doctest: +ELLIPSIS
Mapping('.../libc...so...', start=0x..., stop=0x..., size=0x..., flags=..., page_offset=...)
The corefile also contains a :attr:`.stack` property, which gives
us direct access to the stack contents. On Linux, the very top of the stack
should contain two pointer-widths of NULL bytes, preceded by the NULL-
terminated path to the executable (as passed via the first arg to ``execve``).
>>> core.stack # doctest: +ELLIPSIS
Mapping('[stack]', start=0x..., stop=0x..., size=0x..., flags=0x6, page_offset=0x0)
When creating a process, the kernel puts the absolute path of the binary and some
padding bytes at the end of the stack. We can look at those by looking at
``core.stack.data``.
>>> size = len('/bin/bash-static') + 8
>>> core.stack.data[-size:]
b'bin/bash-static\x00\x00\x00\x00\x00\x00\x00\x00\x00'
We can also directly access the environment variables and arguments, via
:attr:`.argc`, :attr:`.argv`, and :attr:`.env`.
>>> 'HELLO' in core.env
True
>>> core.string(core.env['HELLO'])
b'WORLD'
>>> core.getenv('HELLO')
b'WORLD'
>>> core.argc
1
>>> core.argv[0] in core.stack
True
>>> core.string(core.argv[0]) # doctest: +ELLIPSIS
b'.../bin/bash-static'
Corefiles can also be pulled from remote machines via SSH!
>>> s = ssh(user='travis', host='example.pwnme', password='demopass')
>>> _ = s.set_working_directory()
>>> elf = ELF.from_assembly(shellcraft.trap())
>>> path = s.upload(elf.path)
>>> _ =s.chmod('+x', path)
>>> io = s.process(path)
>>> io.wait(1)
-1
>>> io.corefile.signal == signal.SIGTRAP # doctest: +SKIP
True
Make sure fault_addr synthesis works for amd64 on ret.
>>> context.clear(arch='amd64')
>>> elf = ELF.from_assembly('push 1234; ret')
>>> io = elf.process()
>>> io.wait(1)
>>> io.corefile.fault_addr
1234
Corefile.getenv() works correctly, even if the environment variable's
value contains embedded '='. Corefile is able to find the stack, even
if the stack pointer doesn't point at the stack.
>>> elf = ELF.from_assembly(shellcraft.crash())
>>> io = elf.process(env={'FOO': 'BAR=BAZ'})
>>> io.wait(1)
>>> core = io.corefile
>>> core.getenv('FOO')
b'BAR=BAZ'
>>> core.sp == 0
True
>>> core.sp in core.stack
False
Corefile gracefully handles the stack being filled with garbage, including
argc / argv / envp being overwritten.
>>> context.clear(arch='i386')
>>> assembly = '''
... LOOP:
... mov dword ptr [esp], 0x41414141
... pop eax
... jmp LOOP
... '''
>>> elf = ELF.from_assembly(assembly)
>>> io = elf.process()
>>> io.wait(2)
>>> core = io.corefile
>>> core.argc, core.argv, core.env
(0, [], {})
>>> core.stack.data.endswith(b'AAAA')
True
>>> core.fault_addr == core.sp
True
"""
_fill_gaps = False
def __init__(self, *a, **kw):
#: The NT_PRSTATUS object.
self.prstatus = None
#: The NT_PRPSINFO object
self.prpsinfo = None
#: The NT_SIGINFO object
self.siginfo = None
#: :class:`list`: A list of :class:`.Mapping` objects for each loaded memory region
self.mappings = []
#: :class:`int`: A :class:`Mapping` corresponding to the stack
self.stack = None
"""
Environment variables read from the stack.
Keys are the environment variable name, values are the memory
address of the variable.
Use :meth:`.getenv` or :meth:`.string` to retrieve the textual value.
Note: If ``FOO=BAR`` is in the environment, ``self.env['FOO']`` is the address of the string ``"BAR\x00"``.
"""
self.env = {}
#: :class:`int`: Pointer to envp on the stack
self.envp_address = 0
#: :class:`list`: List of addresses of arguments on the stack.
self.argv = []
#: :class:`int`: Pointer to argv on the stack
self.argv_address = 0
#: :class:`int`: Number of arguments passed
self.argc = 0
#: :class:`int`: Pointer to argc on the stack
self.argc_address = 0
# Pointer to the executable filename on the stack
self.at_execfn = 0
# Pointer to the entry point
self.at_entry = 0
# Pointer to the vdso
self.at_sysinfo_ehdr = None
try:
super(Corefile, self).__init__(*a, **kw)
except IOError:
log.warning("No corefile. Have you set /proc/sys/kernel/core_pattern?")
raise
self.load_addr = 0
self._address = 0
if self.elftype != 'CORE':
log.error("%s is not a valid corefile" % self.file.name)
if self.arch not in prstatus_types:
log.warn_once("%s does not use a supported corefile architecture, registers are unavailable" % self.file.name)
prstatus_type = prstatus_types.get(self.arch)
siginfo_type = siginfo_types.get(self.bits)
with log.waitfor("Parsing corefile...") as w:
self._load_mappings()
for segment in self.segments:
if not isinstance(segment, elftools.elf.segments.NoteSegment):
continue
for note in segment.iter_notes():
# Try to find NT_PRSTATUS.
if note.n_type == 'NT_PRSTATUS':
self.NT_PRSTATUS = note
self.prstatus = prstatus_type.from_buffer_copy(note.n_desc)
# Try to find NT_PRPSINFO
if note.n_type == 'NT_PRPSINFO':
self.NT_PRPSINFO = note
self.prpsinfo = note.n_desc
# Try to find NT_SIGINFO so we can see the fault
if note.n_type == 'NT_SIGINFO':
self.NT_SIGINFO = note
self.siginfo = siginfo_type.from_buffer_copy(note.n_desc)
# Try to find the list of mapped files
if note.n_type == 'NT_FILE':
with context.local(bytes=self.bytes):
self._parse_nt_file(note)
# Try to find the auxiliary vector, which will tell us
# where the top of the stack is.
if note.n_type == 'NT_AUXV':
self.NT_AUXV = note
with context.local(bytes=self.bytes):
self._parse_auxv(note)
if not self.stack and self.mappings:
self.stack = self.mappings[-1].stop
if self.mappings[-1].start == 0xffffffffff600000 and len(self.mappings) > 1:
self.stack = self.mappings[-2].stop
if self.stack and self.mappings:
for mapping in self.mappings:
if self.stack in mapping or self.stack == mapping.stop:
mapping.name = '[stack]'
self.stack = mapping
break
else:
log.warn('Could not find the stack!')
self.stack = None
with context.local(bytes=self.bytes):
try:
self._parse_stack()
except ValueError:
# If there are no environment variables, we die by running
# off the end of the stack.
pass
# Corefiles generated by QEMU do not have a name for the
# main module mapping.
# Fetching self.exe will cause this to be auto-populated,
# and is a no-op in other cases.
self.exe
# Print out the nice display for the user
self._describe_core()
def _parse_nt_file(self, note):
starts = []
addresses = {}
for vma, filename in zip(note.n_desc.Elf_Nt_File_Entry, note.n_desc.filename):
if not isinstance(filename, str):
filename = filename.decode('utf-8', 'surrogateescape')
for mapping in self.mappings:
if mapping.start == vma.vm_start:
mapping.name = filename
mapping.page_offset = vma.page_offset
self.mappings = sorted(self.mappings, key=lambda m: m.start)
vvar = vdso = vsyscall = False
for mapping in reversed(self.mappings):
if mapping.name:
continue
if not vsyscall and mapping.start == 0xffffffffff600000:
mapping.name = '[vsyscall]'
vsyscall = True
continue
if mapping.start == self.at_sysinfo_ehdr \
or (not vdso and mapping.size in [0x1000, 0x2000]
and mapping.flags == 5
and self.read(mapping.start, 4) == b'\x7fELF'):
mapping.name = '[vdso]'
vdso = True
continue
if not vvar and mapping.size == 0x2000 and mapping.flags == 4:
mapping.name = '[vvar]'
vvar = True
continue
@property
def vvar(self):
""":class:`Mapping`: Mapping for the vvar section"""
for m in self.mappings:
if m.name == '[vvar]':
return m
@property
def vdso(self):
""":class:`Mapping`: Mapping for the vdso section"""
for m in self.mappings:
if m.name == '[vdso]':
return m
@property
def vsyscall(self):
""":class:`Mapping`: Mapping for the vsyscall section"""
for m in self.mappings:
if m.name == '[vsyscall]':
return m
@property
def libc(self):
""":class:`Mapping`: First mapping for ``libc.so``"""
expr = r'^libc\b.*so(?:\.6)?$'
for m in self.mappings:
if not m.name:
continue
basename = os.path.basename(m.name)
if re.match(expr, basename):
return m
@property
def exe(self):
""":class:`Mapping`: First mapping for the executable file."""
# Finding the executable mapping requires knowing the entry point
# from the auxv
if not self.at_entry:
return None
# The entry point may not be in the first segment of a given file,
# but we want to find the first segment of the file -- not the segment that
# contains the entrypoint.
first_segment_for_name = {}
for m in self.mappings:
first_segment_for_name.setdefault(m.name, m)
# Find which segment conains the entry point
for m in self.mappings:
if m.start <= self.at_entry < m.stop:
if not m.name and self.at_execfn:
m.name = self.string(self.at_execfn)
if not isinstance(m.name, str):
m.name = m.name.decode('utf-8')
return first_segment_for_name.get(m.name, m)
@property
def pid(self):
""":class:`int`: PID of the process which created the core dump."""
if self.prstatus:
return int(self.prstatus.pr_pid)
@property
def ppid(self):
""":class:`int`: Parent PID of the process which created the core dump."""
if self.prstatus:
return int(self.prstatus.pr_ppid)
@property
def signal(self):
""":class:`int`: Signal which caused the core to be dumped.
Example:
>>> elf = ELF.from_assembly(shellcraft.trap())
>>> io = elf.process()
>>> io.wait(1)
>>> io.corefile.signal == signal.SIGTRAP
True
>>> elf = ELF.from_assembly(shellcraft.crash())
>>> io = elf.process()
>>> io.wait(1)
>>> io.corefile.signal == signal.SIGSEGV
True
"""
if self.siginfo:
return int(self.siginfo.si_signo)
if self.prstatus:
return int(self.prstatus.pr_cursig)
@property
def fault_addr(self):
""":class:`int`: Address which generated the fault, for the signals
SIGILL, SIGFPE, SIGSEGV, SIGBUS. This is only available in native
core dumps created by the kernel. If the information is unavailable,
this returns the address of the instruction pointer.
Example:
>>> elf = ELF.from_assembly('mov eax, 0xdeadbeef; jmp eax', arch='i386')
>>> io = elf.process()
>>> io.wait(1)
>>> io.corefile.fault_addr == io.corefile.eax == 0xdeadbeef
True
"""
if not self.siginfo:
return getattr(self, 'pc', 0)
fault_addr = int(self.siginfo.sigfault_addr)
# The fault_addr is zero if the crash occurs due to a
# "protection fault", e.g. a dereference of 0x4141414141414141
# because this is technically a kernel address.
#
# A protection fault does not set "fault_addr" in the siginfo.
# (http://elixir.free-electrons.com/linux/v4.14-rc8/source/kernel/signal.c#L1052)
#
# Since a common use for corefiles is to spray the stack with a
# cyclic pattern to find the offset to get control of $PC,
# check for a "ret" instruction ("\xc3").
#
# If we find a RET at $PC, extract the "return address" from the
# top of the stack.
if fault_addr == 0 and self.siginfo.si_code == 0x80:
try:
code = self.read(self.pc, 1)
RET = b'\xc3'
if code == RET:
fault_addr = self.unpack(self.sp)
except Exception:
# Could not read $rsp or $rip
pass
return fault_addr
# No embedded siginfo structure, so just return the
# current instruction pointer.
@property
def _pc_register(self):
name = {
'i386': 'eip',
'amd64': 'rip',
}.get(self.arch, 'pc')
return name
@property
def pc(self):
""":class:`int`: The program counter for the Corefile
This is a cross-platform way to get e.g. ``core.eip``, ``core.rip``, etc.
"""
return self.registers.get(self._pc_register, None)
@property
def _sp_register(self):
name = {
'i386': 'esp',
'amd64': 'rsp',
}.get(self.arch, 'sp')
return name
@property
def sp(self):
""":class:`int`: The stack pointer for the Corefile
This is a cross-platform way to get e.g. ``core.esp``, ``core.rsp``, etc.
"""
return self.registers.get(self._sp_register, None)
def _describe(self):
pass
def _describe_core(self):
gnu_triplet = '-'.join(map(str, (self.arch, self.bits, self.endian)))
fields = [
repr(self.path),
'%-10s %s' % ('Arch:', gnu_triplet),
'%-10s %#x' % ('%s:' % self._pc_register.upper(), self.pc or 0),
'%-10s %#x' % ('%s:' % self._sp_register.upper(), self.sp or 0),
]
if self.exe and self.exe.name:
fields += [
'%-10s %s' % ('Exe:', '%r (%#x)' % (self.exe.name, self.exe.address))
]
if self.fault_addr:
fields += [
'%-10s %#x' % ('Fault:', self.fault_addr)
]
log.info_once('\n'.join(fields))
def _load_mappings(self):
for s in self.segments:
if s.header.p_type != 'PT_LOAD':
continue
mapping = Mapping(self,
None,
s.header.p_vaddr,
s.header.p_vaddr + s.header.p_memsz,
s.header.p_flags,
None)
self.mappings.append(mapping)
def _parse_auxv(self, note):
t = tube()
t.unrecv(note.n_desc)
for i in range(0, note.n_descsz, context.bytes * 2):
key = t.unpack()
value = t.unpack()
# The AT_EXECFN entry is a pointer to the executable's filename
# at the very top of the stack, followed by a word's with of
# NULL bytes. For example, on a 64-bit system...
#
# 0x7fffffffefe8 53 3d 31 34 33 00 2f 62 69 6e 2f 62 61 73 68 00 |S=14|3./b|in/b|ash.|
# 0x7fffffffeff8 00 00 00 00 00 00 00 00 |....|....| | |
if key == constants.AT_EXECFN:
self.at_execfn = value
value = value & ~0xfff
value += 0x1000
self.stack = value
if key == constants.AT_ENTRY:
self.at_entry = value
if key == constants.AT_PHDR:
self.at_phdr = value
if key == constants.AT_BASE:
self.at_base = value
if key == constants.AT_SYSINFO_EHDR:
self.at_sysinfo_ehdr = value
def _parse_stack(self):
# Get a copy of the stack mapping
stack = self.stack
if not stack:
return
# If the stack does not end with zeroes, something is very wrong.
if not stack.data.endswith(b'\x00' * context.bytes):
log.warn_once("End of the stack is corrupted, skipping stack parsing (got: %s)",
enhex(self.data[-context.bytes:]))
return
# AT_EXECFN is the start of the filename, e.g. '/bin/sh'
# Immediately preceding is a NULL-terminated environment variable string.
# We want to find the beginning of it
if not self.at_execfn:
address = stack.stop
address -= 2*self.bytes
address -= 1
address = stack.rfind(b'\x00', None, address)
address += 1
self.at_execfn = address
address = self.at_execfn-1
# Sanity check!
try:
if stack[address] != b'\x00':
log.warning("Error parsing corefile stack: Could not find end of environment")
return
except ValueError:
log.warning("Error parsing corefile stack: Address out of bounds")
return
# address is currently set to the NULL terminator of the last
# environment variable.
address = stack.rfind(b'\x00', None, address)
# We've found the beginning of the last environment variable.
# We should be able to search up the stack for the envp[] array to
# find a pointer to this address, followed by a NULL.
last_env_addr = address + 1
p_last_env_addr = stack.find(pack(last_env_addr), None, last_env_addr)
if p_last_env_addr < 0:
# Something weird is happening. Just don't touch it.
log.warn_once("Error parsing corefile stack: Found bad environment at %#x", last_env_addr)
return
# Sanity check that we did correctly find the envp NULL terminator.
envp_nullterm = p_last_env_addr+context.bytes
if self.unpack(envp_nullterm) != 0:
log.warning("Error parsing corefile stack: Could not find end of environment variables")
return
# We've successfully located the end of the envp[] array.
#
# It comes immediately after the argv[] array, which itself
# is NULL-terminated.
#
# Now let's find the end of argv
p_end_of_argv = stack.rfind(pack(0), None, p_last_env_addr)
self.envp_address = p_end_of_argv + self.bytes
# Now we can fill in the environment
env_pointer_data = stack[self.envp_address:p_last_env_addr+self.bytes]
for pointer in unpack_many(env_pointer_data):
# If the stack is corrupted, the pointer will be outside of
# the stack.
if pointer not in stack:
continue
try:
name_value = self.string(pointer)
except Exception:
continue
name, _ = name_value.split(b'=', 1)
# "end" points at the byte after the null terminator
end = pointer + len(name_value) + 1
# Do not mark things as environment variables if they point
# outside of the stack itself, or we had to cross into a different
# mapping (after the stack) to read it.
# This may occur when the entire stack is filled with non-NUL bytes,
# and we NULL-terminate on a read failure in .string().
if end not in stack:
continue
if not isinstance(name, str):
name = name.decode('utf-8', 'surrogateescape')
self.env[name] = pointer + len(name) + len('=')
# May as well grab the arguments off the stack as well.
# argc comes immediately before argv[0] on the stack, but
# we don't know what argc is.
#
# It is unlikely that argc is a valid stack address.
address = p_end_of_argv - self.bytes
while self.unpack(address) in stack:
address -= self.bytes
# address now points at argc
self.argc_address = address
self.argc = self.unpack(self.argc_address)
# we can extract all of the arguments as well
self.argv_address = self.argc_address + self.bytes
self.argv = unpack_many(stack[self.argv_address: p_end_of_argv])
@property
def maps(self):
""":class:`str`: A printable string which is similar to /proc/xx/maps.
::
>>> print(Corefile('./core').maps)
8048000-8049000 r-xp 1000 /home/user/pwntools/crash
8049000-804a000 r--p 1000 /home/user/pwntools/crash
804a000-804b000 rw-p 1000 /home/user/pwntools/crash
f7528000-f7529000 rw-p 1000 None
f7529000-f76d1000 r-xp 1a8000 /lib/i386-linux-gnu/libc-2.19.so
f76d1000-f76d2000 ---p 1000 /lib/i386-linux-gnu/libc-2.19.so
f76d2000-f76d4000 r--p 2000 /lib/i386-linux-gnu/libc-2.19.so
f76d4000-f76d5000 rw-p 1000 /lib/i386-linux-gnu/libc-2.19.so
f76d5000-f76d8000 rw-p 3000 None
f76ef000-f76f1000 rw-p 2000 None
f76f1000-f76f2000 r-xp 1000 [vdso]
f76f2000-f7712000 r-xp 20000 /lib/i386-linux-gnu/ld-2.19.so
f7712000-f7713000 r--p 1000 /lib/i386-linux-gnu/ld-2.19.so
f7713000-f7714000 rw-p 1000 /lib/i386-linux-gnu/ld-2.19.so
fff3e000-fff61000 rw-p 23000 [stack]
"""
return '\n'.join(map(str, self.mappings))
def getenv(self, name):
"""getenv(name) -> int
Read an environment variable off the stack, and return its contents.
Arguments:
name(str): Name of the environment variable to read.
Returns:
:class:`str`: The contents of the environment variable.
Example:
>>> elf = ELF.from_assembly(shellcraft.trap())
>>> io = elf.process(env={'GREETING': 'Hello!'})
>>> io.wait(1)
>>> io.corefile.getenv('GREETING')
b'Hello!'
"""
if not isinstance(name, str):
name = name.decode('utf-8', 'surrogateescape')
if name not in self.env:
log.error("Environment variable %r not set" % name)
return self.string(self.env[name])
@property
def registers(self):
""":class:`dict`: All available registers in the coredump.
Example:
>>> elf = ELF.from_assembly('mov eax, 0xdeadbeef;' + shellcraft.trap(), arch='i386')
>>> io = elf.process()
>>> io.wait(1)
>>> io.corefile.registers['eax'] == 0xdeadbeef
True
"""
if not self.prstatus:
return {}
rv = {}
for k in dir(self.prstatus.pr_reg):
if k.startswith('_'):
continue
try:
rv[k] = int(getattr(self.prstatus.pr_reg, k))
except Exception:
pass
return rv
def debug(self):
"""Open the corefile under a debugger."""
import pwnlib.gdb
pwnlib.gdb.attach(self, exe=self.exe.path)
def __getattr__(self, attribute):
if attribute.startswith('_') or not self.prstatus:
raise AttributeError(attribute)
if hasattr(self.prstatus, attribute):
return getattr(self.prstatus, attribute)
return getattr(self.prstatus.pr_reg, attribute)
# Override routines which don't make sense for Corefiles
def _populate_got(*a): pass
def _populate_plt(*a): pass
class Core(Corefile):
"""Alias for :class:`.Corefile`"""
class Coredump(Corefile):
"""Alias for :class:`.Corefile`"""
class CorefileFinder(object):
def __init__(self, proc):
if proc.poll() is None:
log.error("Process %i has not exited" % (proc.pid))
self.process = proc
self.pid = proc.pid
self.uid = proc.suid
self.gid = proc.sgid
self.exe = proc.executable
self.basename = os.path.basename(self.exe)
self.cwd = proc.cwd
# XXX: Should probably break out all of this logic into
# its own class, so that we can support "file ops"
# locally, via SSH, and over ADB, in a transparent way.
if isinstance(proc, process):
self.read = read
self.unlink = os.unlink
elif isinstance(proc, ssh_channel):
self.read = proc.parent.read
self.unlink = proc.parent.unlink
self.kernel_core_pattern = self.read('/proc/sys/kernel/core_pattern').strip()
self.kernel_core_uses_pid = bool(int(self.read('/proc/sys/kernel/core_uses_pid')))
log.debug("core_pattern: %r" % self.kernel_core_pattern)
log.debug("core_uses_pid: %r" % self.kernel_core_uses_pid)
self.interpreter = self.binfmt_lookup()
log.debug("interpreter: %r" % self.interpreter)
# If we have already located the corefile, we will
# have renamed it to 'core.<pid>'
core_path = 'core.%i' % (proc.pid)
self.core_path = None
if os.path.isfile(core_path):
log.debug("Found core immediately: %r" % core_path)
self.core_path = core_path
# Try QEMU first, since it's unlikely to be a false-positive unless
# there is a PID *and* filename collision.
if not self.core_path:
log.debug("Looking for QEMU corefile")
self.core_path = self.qemu_corefile()
# Check for native coredumps as a last resort
if not self.core_path:
log.debug("Looking for native corefile")
self.core_path = self.native_corefile()
if not self.core_path:
return
core_pid = self.load_core_check_pid()
# Move the corefile if we're configured that way
if context.rename_corefiles:
new_path = 'core.%i' % core_pid
if core_pid > 0 and new_path != self.core_path:
write(new_path, self.read(self.core_path))
try:
self.unlink(self.core_path)
except (IOError, OSError):
log.warn("Could not delete %r" % self.core_path)
self.core_path = new_path
# Check the PID
if core_pid != self.pid:
log.warn("Corefile PID does not match! (got %i)" % core_pid)
# Register the corefile for removal only if it's an exact match
elif context.delete_corefiles:
atexit.register(lambda: os.unlink(self.core_path))
def load_core_check_pid(self):
"""Test whether a Corefile matches our process
Speculatively load a Corefile without informing the user, so that we
can check if it matches the process we're looking for.
Arguments:
path(str): Path to the corefile on disk
Returns:
`bool`: ``True`` if the Corefile matches, ``False`` otherwise.
"""
try:
with context.quiet:
with tempfile.NamedTemporaryFile() as tmp:
tmp.write(self.read(self.core_path))
tmp.flush()
return Corefile(tmp.name).pid
except Exception:
pass
return -1
def apport_corefile(self):
"""Find the apport crash for the process, and extract the core file.
Arguments:
process(process): Process object we're looking for.
Returns:
`str`: Raw core file contents
"""
crash_data = self.apport_read_crash_data()
log.debug("Apport Crash Data:\n%s" % crash_data)
if crash_data:
return self.apport_crash_extract_corefile(crash_data)
def apport_crash_extract_corefile(self, crashfile_data):
"""Extract a corefile from an apport crash file contents.
Arguments:
crashfile_data(str): Crash file contents
Returns:
`str`: Raw binary data for the core file, or ``None``.
"""
file = StringIO(crashfile_data)
# Find the pid of the crashfile
for line in file:
if line.startswith(' Pid:'):
pid = int(line.split()[-1])
if pid == self.pid:
break
else:
# Could not find a " Pid:" line
return
# Find the CoreDump section
for line in file:
if line.startswith('CoreDump: base64'):
break
else:
# Could not find the coredump data
return
# Get all of the base64'd lines
chunks = []
for line in file:
if not line.startswith(' '):
break
chunks.append(b64d(line))
# Smush everything together, then extract it
compressed_data = b''.join(chunks)
compressed_file = BytesIO(compressed_data)
gzip_file = gzip.GzipFile(fileobj=compressed_file)
core_data = gzip_file.read()
return core_data
def apport_read_crash_data(self):
"""Find the apport crash for the process
Returns:
`str`: Raw contents of the crash file or ``None``.
"""
uid = self.uid
crash_name = self.exe.replace('/', '_')
crash_path = '/var/crash/%s.%i.crash' % (crash_name, uid)
try:
log.debug("Looking for Apport crash at %r" % crash_path)
data = self.read(crash_path)
except Exception:
return None
# Remove the crash file, so that future crashes will be captured
try:
self.unlink(crash_path)
except Exception:
pass
# Convert bytes-like object to string
if isinstance(data, bytes):
data = data.decode('utf-8')
return data
def systemd_coredump_corefile(self):
"""Find the systemd-coredump crash for the process and dump it to a file.
Arguments:
process(process): Process object we're looking for.
Returns:
`str`: Filename of core file, if coredump was found.
"""
filename = "core.%s.%i.coredumpctl" % (self.basename, self.pid)
try:
subprocess.check_call(
[
"coredumpctl",
"dump",
"--output=%s" % filename,
# Filter coredump by pid
str(self.pid),
],
stdout=open(os.devnull, 'w'),
stderr=subprocess.STDOUT,
shell=False,
)
return filename
except subprocess.CalledProcessError as e:
log.debug("coredumpctl failed with status: %d" % e.returncode)
def native_corefile(self):
"""Find the corefile for a native crash.
Arguments:
process(process): Process whose crash we should find.
Returns:
`str`: Filename of core file.
"""
if self.kernel_core_pattern.startswith(b'|'):
log.debug("Checking for corefile (piped)")
return self.native_corefile_pipe()
log.debug("Checking for corefile (pattern)")
return self.native_corefile_pattern()
def native_corefile_pipe(self):
"""Find the corefile for a piped core_pattern
Supports apport and systemd-coredump.
Arguments:
process(process): Process whose crash we should find.
Returns:
`str`: Filename of core file.
"""
if b'/apport' in self.kernel_core_pattern:
log.debug("Found apport in core_pattern")
apport_core = self.apport_corefile()
if apport_core:
# Write the corefile to the local directory
filename = 'core.%s.%i.apport' % (self.basename, self.pid)
with open(filename, 'wb+') as f:
f.write(apport_core)
return filename
filename = self.apport_coredump()
if filename:
return filename
# Pretend core_pattern was just 'core', and see if we come up with anything
self.kernel_core_pattern = 'core'
return self.native_corefile_pattern()
elif b'systemd-coredump' in self.kernel_core_pattern:
log.debug("Found systemd-coredump in core_pattern")
return self.systemd_coredump_corefile()
else:
log.warn_once("Unsupported core_pattern: %r", self.kernel_core_pattern)
return None
def native_corefile_pattern(self):
"""
%% a single % character
%c core file size soft resource limit of crashing process (since Linux 2.6.24)
%d dump mode—same as value returned by prctl(2) PR_GET_DUMPABLE (since Linux 3.7)
%e executable filename (without path prefix)
%E pathname of executable, with slashes ('/') replaced by exclamation marks ('!') (since Linux 3.0).
%g (numeric) real GID of dumped process
%h hostname (same as nodename returned by uname(2))
%i TID of thread that triggered core dump, as seen in the PID namespace in which the thread resides (since Linux 3.18)
%I TID of thread that triggered core dump, as seen in the initial PID namespace (since Linux 3.18)
%p PID of dumped process, as seen in the PID namespace in which the process resides
%P PID of dumped process, as seen in the initial PID namespace (since Linux 3.12)
%s number of signal causing dump
%t time of dump, expressed as seconds since the Epoch, 1970-01-01 00:00:00 +0000 (UTC)
%u (numeric) real UID of dumped process
"""
replace = {
'%%': '%',
'%e': os.path.basename(self.interpreter) or self.basename,
'%E': self.exe.replace('/', '!'),
'%g': str(self.gid),
'%h': socket.gethostname(),
'%i': str(self.pid),
'%I': str(self.pid),
'%p': str(self.pid),
'%P': str(self.pid),
'%s': str(-self.process.poll()),
'%u': str(self.uid)
}
replace = dict((re.escape(k), v) for k, v in replace.items())
pattern = re.compile("|".join(replace.keys()))
if not hasattr(self.kernel_core_pattern, 'encode'):
self.kernel_core_pattern = self.kernel_core_pattern.decode('utf-8')
core_pattern = self.kernel_core_pattern
corefile_path = pattern.sub(lambda m: replace[re.escape(m.group(0))], core_pattern)
if self.kernel_core_uses_pid:
corefile_path += '.%i' % self.pid
if os.pathsep not in corefile_path:
corefile_path = os.path.join(self.cwd, corefile_path)
log.debug("Trying corefile_path: %r" % corefile_path)
try:
self.read(corefile_path)
return corefile_path
except Exception as e:
log.debug("No dice: %s" % e)
def qemu_corefile(self):
"""qemu_corefile() -> str
Retrieves the path to a QEMU core dump.
"""
# QEMU doesn't follow anybody else's rules
# https://github.com/qemu/qemu/blob/stable-2.6/linux-user/elfload.c#L2710-L2744
#
# qemu_<basename-of-target-binary>_<date>-<time>_<pid>.core
#
# Note that we don't give any fucks about the date and time, since the PID
# should be unique enough that we can just glob.
corefile_name = 'qemu_{basename}_*_{pid}.core'
# Format the name
corefile_name = corefile_name.format(basename=self.basename,
pid=self.pid)
# Get the full path
corefile_path = os.path.join(self.cwd, corefile_name)
log.debug("Trying corefile_path: %r" % corefile_path)
# Glob all of them, return the *most recent* based on numeric sort order.
for corefile in sorted(glob.glob(corefile_path), reverse=True):
return corefile
def apport_coredump(self):
"""Find new-style apport coredump of executables not belonging
to a system package
"""
# Now Ubuntu, which is the most silly distro of all, doesn't follow
# anybody else's rules either...
# ...and it uses apport FROM SOME OTHER REPO THAN THE DOCS SAY
# Hey, thanks for making our lives easier, Canonical :----)
# Seriously, why is Ubuntu even considered to be the default distro
# on GH Actions?
#
# core.<_path_to_target_binary>.<uid>.<boot_id>.<pid>.<timestamp>
#
# Note that we don't give any fucks about the timestamp, since the PID
# should be unique enough that we can just glob.
boot_id = read('/proc/sys/kernel/random/boot_id').strip().decode()
# Use the absolute path of the executable
# Apport uses the executable's path to determine the core dump filename
#
# Reference source:
# https://github.com/canonical/apport/blob/4bbb179b8f92989bf7c1ee3692074f35d70ef3e8/data/apport#L110
# https://github.com/canonical/apport/blob/4bbb179b8f92989bf7c1ee3692074f35d70ef3e8/apport/fileutils.py#L599
#
# Apport calls `get_core_path` with `options.executable_path`, which corresponds to
# the executable's pathname, as specified by the `%E` placeholder
# in the core pattern (see `man core` and `apport --help`).
path = os.path.abspath(self.exe).replace('/', '_').replace('.', '_')
# Format the name
corefile_name = 'core.{path}.{uid}.{boot_id}.{pid}.*'.format(
path=path,
uid=self.uid,
boot_id=boot_id,
pid=self.pid,
)
# Get the full path
corefile_path = os.path.join('/var/lib/apport/coredump', corefile_name)
log.debug("Trying corefile_path: %r" % corefile_path)
# Glob all of them, return the *most recent* based on numeric sort order.
for corefile in sorted(glob.glob(corefile_path), reverse=True):
return corefile
def binfmt_lookup(self):
"""Parses /proc/sys/fs/binfmt_misc to find the interpreter for a file"""
binfmt_misc = '/proc/sys/fs/binfmt_misc'
if not isinstance(self.process, process):
log.debug("Not a process")
return ''
if self.process._qemu:
return self.process._qemu
if not os.path.isdir(binfmt_misc):
log.debug("No binfmt_misc dir")
return ''
exe_data = bytearray(self.read(self.exe))
for entry in os.listdir(binfmt_misc):
keys = {}
path = os.path.join(binfmt_misc, entry)
try:
data = self.read(path).decode()
except Exception:
continue
for line in data.splitlines():
try:
k,v = line.split(None)
except ValueError:
continue
keys[k] = v
if 'magic' not in keys:
continue
magic = bytearray(unhex(keys['magic']))
mask = bytearray(b'\xff' * len(magic))
if 'mask' in keys:
mask = bytearray(unhex(keys['mask']))
for i, mag in enumerate(magic):
if exe_data[i] & mask[i] != mag:
break
else:
return keys['interpreter']
return ''
|