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
|
import errno
import fcntl
import fnmatch
import glob
import hashlib
import json
import os
import pprint
import re
import shutil
import stat
import struct
import tarfile
import charliecloud as ch
## Constants ##
# Storage directory format version. We refuse to operate on storage
# directories with non-matching versions. Increment this number when the
# format changes non-trivially.
#
# To see the directory formats in released versions:
#
# $ git grep -E '^STORAGE_VERSION =' $(git tag | sort -V)
# Current storage version.
STORAGE_VERSION = 7
# Minimum accepted storage version.
STORAGE_MIN_VERSION = 7
## Globals ##
# True if we lock storage directory to prevent concurrent access; false for no
# locking (which is very YOLO and may break the storage directory).
storage_lock = True
### Functions ###
def copy(src, dst, follow_symlinks=False):
"""Copy file src to dst. Wrapper function providing same signature as
shutil.copy2(). See Path.copy() for lots of gory details. Accepts
follow_symlinks, but the only valid value is False."""
assert (not follow_symlinks)
if (isinstance(src, str)):
src = Path(src)
if (isinstance(dst, str)):
dst = Path(dst)
src.copy(dst)
## Classes ##
class Path(os.PathLike):
"""Path class roughly corresponding to pathlib.PosixPath. While it does
subclass os.PathLike, it does not subclass anything in pathlib because:
1. Only in 3.12 does pathlib.Path actually support subclasses [1].
Before then it can be done, but it’s messy and brittle.
2. pathlib.Path seems overcomplicated for our use case and is often
slow.
This class implements (incompletely) the pathlib.PosixPath API, with
many extensions and two important differences:
1. Trailing slash. Objects remember whether a trailing slash is
present, and append it when str() or repr().
“/” is considered to *not* have a trailing slash. Subprograms might
interpret this differently. Notably, rsync(1) *does* interpret “/”
as trailing-slashed.
2. Path join operator. This class uses the “//” operator, not “/”, for
joining paths, with different semantics.
When appending an absolute path to a pathlib.PosixPath object, the
left operand is ignored, leaving only the absolute right operand:
>>> import pathlib
>>> a = pathlib.Path("/foo/bar")
>>> a / "baz"
PosixPath('/foo/bar/baz')
>>> a / "/baz"
PosixPath('/baz')
This is contrary to long-standing UNIX/POSIX, where extra slashes
in a path are ignored, e.g. “/foo//bar” is equivalent to
“/foo/bar”. os.path.join() behaves the same way. This behavior
caused quite a few Charliecloud bugs. IMO it’s too error-prone to
manually manage whether paths are absolute or relative.
Thus, the operator to join instances of this class is “//”, which
does the POSIX thing, i.e., if the right operand is absolute, that
fact is just ignored. E.g.:
>>> a = Path("/foo/bar")
>>> a // "/baz"
Path('/foo/bar/baz')
>>> "/baz" // a
Path('/baz/foo/bar')
We used a different operator because it seemed a source of
confusion to change the behavior of “/” (which is not provided by
this class). An alternative was “+” like strings, but that led to
silently wrong results when the paths *were* strings (simple string
concatenation with no slash).
[1]: https://docs.python.org/3/whatsnew/3.12.html#pathlib"""
# Store the path as a string. Assume:
#
# 1. No multiple slashes.
# 2. Length at least one character.
# 3. Does not begin with redundant “./” (but can be just “.”).
#
# Call self._tidy() if these can’t be assumed.
__slots__ = ("path",)
# Name of the gzip(1) to use for file_gzip(); set on first call.
gzip = None
def __init__(self, *segments):
"""e.g.:
>>> Path("/a/b")
Path('/a/b')
>>> Path("/", "a", "b")
Path('/a/b')
>>> Path("/", "a", "b", "/")
Path('/a/b/')
>>> Path("a/b")
Path('a/b')
>>> Path("/a/b/")
Path('/a/b/')
>>> Path("//")
Path('/')
>>> Path("")
Path('.')
>>> Path("./a")
Path('a')"""
segments = [ (i.__fspath__() if isinstance(i, os.PathLike) else i)
for i in segments]
self.path = "/".join(segments)
self._tidy()
## Internal ##
@classmethod
def _gzip_set(cls):
"""Set gzip class attribute on first call to file_gzip().
Note: We originally thought this could be accomplished WITHOUT
calling a class method (by setting the attribute, e.g. “self.gzip =
'foo'”), but it turned out that this would only set the attribute for
the single instance. To set self.gzip for all instances, we need the
class method."""
if (cls.gzip is None):
if (shutil.which("pigz") is not None):
cls.gzip = "pigz"
elif (shutil.which("gzip") is not None):
cls.gzip = "gzip"
else:
ch.FATAL("can’t find path to gzip or pigz")
def _tidy(self):
"Repair self.path assumptions (see attribute docs above)."
if (self.path == ""):
self.path = "."
else:
self.path = re.sub(r"/{2,}", "/", self.path)
self.path = re.sub(r"^\./", "", self.path)
## pathlib.PosixPath API ##
def __eq__(self, other):
"""e.g.:
>>> a1 = Path("a")
>>> a2 = Path("a")
>>> b = Path("b")
>>> a1 == a1
True
>>> a1 is a1
True
>>> a1 == a2
True
>>> a1 is a2
False
>>> a1 == b
False
>>> a1 != b
True
>>> Path("a") == Path("a/")
False
>>> Path("a") == Path("a/").untrailed
True
>>> Path("") == Path(".")
True
>>> Path("/") == Path("//")
True
>>> Path("a/b") == Path("a//b") == Path("a///b")
True"""
return (self.path == Path(other).path)
def __fspath__(self):
return self.path
def __ge__(self, other):
return not self.__lt__(other)
def __gt__(self, other):
return not self.__le__(other)
def __hash__(self):
return hash(self.path)
def __le__(self, other):
return (self.path <= Path(other).path)
def __lt__(self, other):
return (self.path < Path(other).path)
def __ne__(self, other):
return not self.__eq__(other)
def __repr__(self):
"""e.g.:
>>> repr(Path("a"))
"Path('a')"
>>> repr(Path("a'b"))
'Path("a\\'b")'
"""
return 'Path(%s)' % repr(self.path)
def __str__(self):
"""e.g.:
>>> str(Path("a"))
'a'"""
return self.path
@property
def name(self):
"""e.g.:
>>> Path("a").name
'a'
>>> Path("/a/b").name
'b'
>>> Path("a/b").name
'b'
>>> Path("a/b/").name
'b'
Note: Unlike pathlib.Path, dot and slash return themselves:
>>> Path("/").name
'/'
>>> Path(".").name
'.'
"""
if (self.root_p):
return "/"
return self.untrailed.path.rpartition("/")[-1]
@property
def parent(self):
"""e.g.:
>>> Path("/a/b").parent
Path('/a')
>>> Path("a/b").parent
Path('a')
>>> Path("/a").parent
Path('/')
>>> Path("a/b/").parent
Path('a')
>>> Path("a").parent
Path('.')
>>> Path(".").parent
Path('.')
Note that the parent of “/” is “/”, per POSIX:
>>> Path("/").parent
Path('/')"""
if (self.root_p):
return self.deepcopy()
(parent, slash, _) = self.untrailed.path.rpartition("/")
if (parent != ""):
return self.__class__(parent)
elif (slash == "/"): # absolute path with single non-root component
return self.__class__("/")
else: # relative path with single component
return self.__class__(".")
@property
def parts(self):
"""e.g.:
>>> Path("/a/b").parts
['/', 'a', 'b']
>>> Path("a/b/").parts
['a', 'b']
>>> Path("/").parts
['/']
>>> Path(".").parts
[]"""
if (self.path == "."):
return []
ret = self.path.split("/")
if (ret[0] == ""):
ret[0] = "/"
if (ret[-1] == ""):
del ret[-1]
return ret
def exists(self, links=False):
"""Return True if I exist, False otherwise. Iff links, follow symlinks.
>>> Path("/").exists()
True
>>> Path("/doesnotexist").exists()
False
>>> Path("/proc/self/cmdline").exists(False)
True"""
try:
os.stat(self, follow_symlinks=links)
except FileNotFoundError:
return False
except OSError as x:
ch.FATAL("can’t stat: %s: %s" % (self, x.strerror))
return True
def glob(self, pattern):
oldcwd = self.chdir()
# No root_dir in glob.glob() until 3.10.
ret = glob.glob(pattern, recursive=True)
oldcwd.chdir()
return ret
def hardlink_to(self, target):
ch.ossafe("can’t hard link: %s -> %s", os.link, target, self)
def is_absolute(self):
return (self.path[0] == "/")
def is_dir(self):
"""e.g.:
>>> Path("/proc").is_dir()
True
>>> Path("/proc/self").is_dir()
True
>>> Path("/proc/cmdline").is_dir()
False
>>> Path("/doesnotexist").is_dir()
False"""
return os.path.isdir(self)
def is_file(self):
return os.path.isfile(self)
def is_relative_to(self, other):
"""e.g.:
>>> Path("/a/b").is_relative_to("/a")
True
>>> Path("/a/b/").is_relative_to("/a")
True
>>> Path("/a/b").is_relative_to("/c")
False
>>> Path("/a/b").is_relative_to("c")
False"""
try:
self.relative_to(other)
return True
except ValueError:
return False
def is_symlink(self):
return os.path.islink(self)
def match(self, pattern):
"""e.g.:
>>> a = Path("/foo/bar.txt")
>>> a.match("*.txt")
True
>>> a.match("*.TXT")
False"""
return fnmatch.fnmatchcase(self.__fspath__(), pattern)
def mkdir(self):
ch.TRACE("ensuring directory: %s" % self)
if (self.is_dir()):
return # target exists and is a directory, do nothing
try:
os.mkdir(self)
except FileExistsError as x:
ch.FATAL("can’t mkdir: exists and not a directory: %s" % x.filename)
except OSError as x:
ch.FATAL("can’t mkdir: %s: %s" % (x.filename, x.strerror))
def open(self, mode, *args, **kwargs):
return ch.ossafe("can’t open for %s: %s" % (mode, self),
open, self, mode, *args, **kwargs)
def relative_to(self, other):
"""e.g. absolute paths:
>>> a = Path("/a/b")
>>> a.relative_to(Path("/"))
Path('a/b')
>>> a.relative_to("/a")
Path('b')
>>> Path("/a/b/").relative_to("/a")
Path('b/')
e.g. relative paths:
>>> a = Path("a/b")
>>> a.relative_to("a")
Path('b')
e.g. problems:
>>> Path("/a/b").relative_to("a")
Traceback (most recent call last):
...
ValueError: Can't mix absolute and relative paths
>>> Path("/a/b").relative_to("/c")
Traceback (most recent call last):
...
ValueError: /a/b not a subpath of /c
"""
if (isinstance(other, Path)):
other = other.untrailed.__fspath__()
common = os.path.commonpath([self, other])
if (common != other):
raise ValueError("%s not a subpath of %s" % (self, other))
return self.__class__(self.path[ len(other)
+ (0 if other == "/" else 1):])
def rename(self, path_new):
path_new = self.__class__(path_new)
ch.ossafe("can’t rename: %s -> %s" % (self, path_new),
os.rename, self, path_new)
return path_new
def resolve(self):
"""e.g.:
>>> import os
>>> real = Path("/proc/%d" % os.getpid())
>>> link = Path("/proc/self")
>>> link.resolve() == real
True"""
return self.__class__(os.path.realpath(self))
def rmdir(self):
ch.ossafe("can’t rmdir: %s" % self, os.rmdir, self)
def stat(self, links):
"""e.g.:
>>> import stat
>>> st = Path("/proc/self").stat(False)
>>> stat.S_ISDIR(st.st_mode)
False
>>> stat.S_ISLNK(st.st_mode)
True
>>> st = Path("/proc/self").stat(True)
>>> stat.S_ISDIR(st.st_mode)
True
>>> stat.S_ISLNK(st.st_mode)
False"""
return ch.ossafe("can’t stat: %s" % self,
os.stat, self, follow_symlinks=links)
def symlink_to(self, target, clobber=False):
if (clobber and self.is_file()):
self.unlink()
try:
os.symlink(target, self)
except FileExistsError:
if (not self.is_symlink()):
ch.FATAL("can’t symlink: source exists and isn’t a symlink: %s"
% self)
if (self.readlink() != target):
ch.FATAL("can’t symlink: %s exists; want target %s but existing is %s"
% (self, target, self.readlink()))
except OSError as x:
ch.FATAL("can’t symlink: %s -> %s: %s" % (self, target, x.strerror))
def unlink(self, missing_ok=False):
if (missing_ok and not self.exists()):
return
ch.ossafe("can’t unlink: %s" % self, os.unlink, self)
def with_name(self, name_new):
"""e.g.:
>>> Path("a").with_name("b")
Path('b')
>>> Path("a/b").with_name("c")
Path('a/c')
>>> Path(".").with_name("a")
Path('a')
Not available for “/” because this would change an absolute path to
relative, and that seems too surprising:
>>> Path("/").with_name("a")
Traceback (most recent call last):
...
ValueError: with_name() invalid for /"""
if (self.root_p):
raise ValueError("with_name() invalid for /")
return self.parent // name_new
## Extensions ##
@staticmethod
def stat_bytes_all(paths):
"Return concatenation of metadata_bytes() on each given Path object."
md = bytearray()
for path in paths:
md += path.stat_bytes_recursive()
return md
def __floordiv__(self, right):
left = self.path
try:
right = right.__fspath__()
except AttributeError:
pass # assume right is a string
return self.__class__(left + "/" + right)
def __len__(self):
"""The length of a Path is the number of components, including the root
directory. “.” has zero components.
>>> len(Path("a"))
1
>>> len(Path("/"))
1
>>> len(Path("/a"))
2
>>> len(Path("a/b"))
2
>>> len(Path("/a/b"))
3
>>> len(Path("/a/"))
2
>>> len(Path("."))
0"""
return len(self.parts)
def __rfloordiv__(self, left):
return self.__class__(left).__floordiv__(self)
@property
def empty_p(self):
return (self.path == ".")
@property
def first(self):
"""Return my first component as a new Path object, e.g.:
>>> a = Path("/")
>>> b = a.first
>>> b
Path('/')
>>> a == b
True
>>> a is b
False
>>> Path("").first
Path('.')
>>> Path("./a").first
Path('a')
>>> Path("a/b").first
Path('a')"""
if (self.root_p):
return self.deepcopy()
return self.__class__(self.path.partition("/")[0])
@property
def git_compatible_p(self):
"""Return True if my filename can be stored in Git, false otherwise.
>>> Path("/gitignore").git_compatible_p
True
>>> Path("/.gitignore").git_compatible_p
False"""
return (not self.name.startswith(".git"))
@property
def git_escaped(self):
"""Return a copy of me escaped for Git storage, possibly unchanged.
>>> Path("/gitignore").git_escaped
Path('/gitignore')
>>> Path("/.gitignore").git_escaped
Path('/.weirdal_ignore')
>>> Path("/.gitignore/").git_escaped
Path('/.weirdal_ignore/')
"""
ret = self.with_name(self.name.replace(".git", ".weirdal_"))
if (self.trailed_p):
ret.path += "/"
return ret
@property
def root_p(self):
return (self.path == "/")
@property
def trailed_p(self):
"""e.g.:
>>> Path("a").trailed_p
False
>>> Path("a/").trailed_p
True
>>> Path("/").trailed_p
False
>>> (Path("a") // "b").trailed_p
False
>>> (Path("a/") // "b").trailed_p
False
>>> (Path("a") // "b/").trailed_p
True
>>> (Path("a") // "/").trailed_p
True"""
return (self.path != "/" and self.path[-1] == "/")
@property
def untrailed(self):
"""Return self with trailing slash removed (if any). E.g.:
>>> Path("a").untrailed
Path('a')
>>> Path("a/").untrailed
Path('a')
>>> Path("/").untrailed
Path('/')
>>> Path(".").untrailed
Path('.')"""
if (self.root_p):
return self.deepcopy()
else:
return self.__class__(self.path.rstrip("/"))
def chdir(self):
"Change CWD to path and return previous CWD. Exit on error."
old = ch.ossafe("can’t getcwd(2)", os.getcwd)
ch.ossafe("can’t chdir(2): %s" % self, os.chdir, self)
return self.__class__(old)
def chmod_min(self, st_old=None):
"""Set my permissions to at least 0o700 for directories and 0o400
otherwise.
For symlinks, do nothing, because we don’t want to follow symlinks
and follow_symlinks=False (or os.lchmod) is not supported on some
(all?) Linux. (Also, symlink permissions are ignored on Linux, so it
doesn’t matter anyway.)
If given, st_old is a stat_result object for self, to avoid another
stat(2) call. In this case, also return the resulting stat_result
object, which is st itself if nothing was modified, or a new
stat_result object if the mode was changed."""
st = self.stat(False) if not st_old else st_old
if (stat.S_ISLNK(st.st_mode)):
return st_old
perms_old = stat.S_IMODE(st.st_mode)
perms_new = perms_old | (0o700 if stat.S_ISDIR(st.st_mode) else 0o400)
if (perms_new != perms_old):
ch.VERBOSE("fixing permissions: %s: %03o -> %03o"
% (self, perms_old, perms_new))
ch.ossafe("can’t chmod: %s" % self, os.chmod, self, perms_new)
if (st_old):
# stat_result is a deeply weird object (a “structsec” rather than a
# named tuple), including multiple values for the same field when
# accessed by index vs. name. I did figure out how to create a
# modified copy, which is the commented code below, but it seems too
# brittle and scary, so just re-stat(2) the modified metadata.
#
# st_list = list(st_old)
# st_dict = { k:getattr(a, k) for k in dir(a) if k[:3] == "st_" }
# st_list[0] |= perms_new
# st_dict["st_mode"] |= perms_new
# st_new = os.stat_result(st_list, st_dict)
# assert (st_new[0] == st_new.st_mode)
# return st_new
if (perms_new == perms_old):
return st_old
else:
return self.stat(False)
def copy(self, dst):
"""Copy file myself to dst, including metadata, overwriting dst if it
exists. dst must be the actual destination path, i.e., it may not be
a directory. Does not follow symlinks.
If (a) src is a regular file, (b) src and dst are on the same
filesystem, and (c) Python is version ≥3.8, then use
os.copy_file_range() [1,2], which at a minimum does an in-kernel data
transfer. If that filesystem also (d) supports copy-on-write [3],
then this is a very fast lazy reflink copy.
[1]: https://docs.python.org/3/library/os.html#os.copy_file_range
[2]: https://man7.org/linux/man-pages/man2/copy_file_range.2.html
[3]: https://elixir.bootlin.com/linux/latest/A/ident/remap_file_range
"""
src_st = self.stat(False)
# dst is not a directory, so parent must be on the same filesystem. We
# *do* want to follow symlinks on the parent.
dst_dev = dst.parent.stat(True).st_dev
if ( stat.S_ISREG(src_st.st_mode)
and src_st.st_dev == dst_dev
and hasattr(os, "copy_file_range")):
# Fast path. The same-filesystem restriction is because reliable
# copy_file_range(2) between filesystems seems quite new (maybe
# kernel 5.18?).
try:
if (dst.exists()):
# If dst is a symlink, we get OLOOP from os.open(). Delete it
# unconditionally though, for simplicity.
dst.unlink()
src_fd = os.open(self, os.O_RDONLY|os.O_NOFOLLOW)
dst_fd = os.open(dst, os.O_WRONLY|os.O_NOFOLLOW|os.O_CREAT)
# I’m not sure why we need to loop this -- there’s no explanation
# of *when* fewer bytes than requested would be copied -- but the
# man page example does.
remaining = src_st.st_size
while (remaining > 0):
copied = os.copy_file_range(src_fd, dst_fd, remaining)
if (copied == 0):
ch.FATAL("zero bytes copied: %s -> %s" % (self, dst))
remaining -= copied
os.close(src_fd)
os.close(dst_fd)
except OSError as x:
ch.FATAL("can’t copy data (fast): %s -> %s: %s"
% (self, dst, x.strerror))
else:
# Slow path.
try:
shutil.copyfile(self, dst, follow_symlinks=False)
except OSError as x:
ch.FATAL("can’t copy data (slow): %s -> %s: %s"
% (self, dst, x.strerror))
try:
# Metadata.
shutil.copystat(self, dst, follow_symlinks=False)
except OSError as x:
ch.FATAL("can’t copy metadata: %s -> %s" % (self, dst, x.strerror))
def copytree(self, *args, **kwargs):
"Wrapper for shutil.copytree() that exits on the first error."
shutil.copytree(self, copy_function=copy, *args, **kwargs)
def deepcopy(self):
"""Return a copy of myself. E.g.:
>>> a = Path("a")
>>> b = a.deepcopy()
>>> b
Path('a')
>>> a == b
True
>>> a is b
False"""
return self.__class__(self.path)
def disk_bytes(self):
"""Return the number of disk bytes consumed by path. Note this is
probably different from the file size."""
return self.stat(False).st_blocks * 512
def du(self):
"""Return a tuple (number of files, total bytes on disk) for everything
under path. Warning: double-counts files with multiple hard links and
any shared data extents."""
file_ct = 1
byte_ct = self.disk_bytes()
for (dir_, subdirs, files) in ch.walk(self):
file_ct += len(subdirs) + len(files)
byte_ct += sum((self.__class__(dir_) // i).disk_bytes()
for i in subdirs + files)
return (file_ct, byte_ct)
def file_ensure_exists(self):
"""If the final element of path exists (without dereferencing if it’s a
symlink), do nothing; otherwise, create it as an empty regular file."""
if (not os.path.lexists(self)):
fp = self.open("w")
ch.close_(fp)
def file_gzip(self, args=[]):
"""Run pigz(1) if it’s available, otherwise gzip(1), on file at path and
return the file’s new name. Pass args to the gzip executable. This
lets us gzip files (a) in parallel if pigz(1) is installed and
(b) without reading them into memory."""
path_c = self.suffix_add(".gz")
# On first call, remember first available of pigz and gzip using class
# attribute 'gzip'.
self.__class__._gzip_set()
# Remove destination if it already exists, because “gzip --force” does
# several other things too. Also, pigz(1) sometimes confusingly reports
# “Inappropriate ioctl for device” if destination already exists.
if (path_c.exists()):
path_c.unlink()
# Compress.
ch.cmd([self.gzip] + args + [str(self)])
# Zero out GZIP header timestamp, bytes 4–7 zero-indexed inclusive [1],
# to ensure layer hash is consistent. See issue #1080.
# [1]: https://datatracker.ietf.org/doc/html/rfc1952 §2.3.1
fp = path_c.open("r+b")
ch.ossafe("can’t seek: %s" % fp, fp.seek, 4)
ch.ossafe("can’t write: %s" % fp, fp.write, b'\x00\x00\x00\x00')
ch.close_(fp)
return path_c
def file_hash(self):
"""Return the hash of data in file at path, as a hex string with no
algorithm tag. File is read in chunks and can be larger than memory.
>>> Path("/dev/null").file_hash()
'e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855'
"""
fp = self.open("rb")
h = hashlib.sha256()
while True:
data = ch.ossafe("can’t read: %s" % self, fp.read, 2**18)
if (len(data) == 0): # EOF
break
h.update(data)
ch.close_(fp)
return h.hexdigest()
def file_read_all(self, text=True):
"""Return the contents of file at path, or exit with error. If text,
read in “rt” mode with UTF-8 encoding; otherwise, read in mode “rb”.
>>> Path("/dev/null").file_read_all()
''
>>> Path("/dev/null").file_read_all(False)
b''"""
if (text):
mode = "rt"
encoding = "UTF-8"
else:
mode = "rb"
encoding = None
fp = self.open(mode, encoding=encoding)
data = ch.ossafe("can’t read: %s" % self, fp.read)
ch.close_(fp)
return data
def file_size(self, follow_symlinks=False):
"""Return the size of file at path in bytes.
>>> Path("/dev/null").file_size()
0"""
return self.stat(follow_symlinks).st_size
def file_write(self, content):
"""e.g.:
>>> Path("/dev/null").file_write("Weird Al Yankovic")
"""
if (isinstance(content, str)):
content = content.encode("UTF-8")
fp = self.open("wb")
ch.ossafe("can’t write: %s" % self, fp.write, content)
ch.close_(fp)
def grep_p(self, rx):
"""Return True if file at path contains a line matching regular
expression rx, False if it does not.
>>> Path("/dev/null").grep_p(r"foo")
False"""
try:
with open(self, "rt") as fp:
for line in fp:
if (re.search(rx, line) is not None):
return True
return False
except OSError as x:
ch.FATAL("can’t read %s: %s" % (self, x.strerror))
def iterdir(self):
"""e.g.:
>>> import os
>>> dir = Path("/proc/self/task")
>>> set(dir.iterdir()) == { dir // str(os.getpid()) }
True"""
for entry in ch.ossafe("can’t scan: %s" % self, os.scandir, self):
yield self.__class__(entry.path)
def json_from_file(self, msg):
ch.DEBUG("loading JSON: %s: %s" % (msg, self))
text = self.file_read_all()
ch.TRACE("text:\n%s" % text)
try:
data = json.loads(text)
ch.DEBUG("result:\n%s" % pprint.pformat(data, indent=2))
except json.JSONDecodeError as x:
ch.FATAL("can’t parse JSON: %s:%d: %s" % (self, x.lineno, x.msg))
return data
def listdir(self):
"""Return set of entries in directory path, as strings, without self (.)
and parent (..). We considered changing this to use os.scandir() for
#992, but decided that the advantages it offered didn’t warrant the
effort required to make the change.
>>> import os
>>> Path("/proc/self/task").listdir() == { str(os.getpid()) }
True"""
return set(ch.ossafe("can’t list: %s" % self, os.listdir, self))
def mkdirs(self, exist_ok=True):
"Like “mkdir -p”."
ch.TRACE("ensuring directory and parents: %s" % self)
try:
os.makedirs(self, exist_ok=exist_ok)
except OSError as x:
# x.filename might be an intermediate directory
ch.FATAL("can’t mkdir: %s: %s: %s" % (self, x.filename, x.strerror))
def mountpoint(self):
"""Return the mount point of the filesystem containing, or, if symlink,
the file pointed to. E.g.:
>>> Path("/proc").mountpoint()
Path('/proc')
>>> Path("/proc/self").mountpoint()
Path('/proc')
>>> Path("/").mountpoint()
Path('/')"""
# https://stackoverflow.com/a/4453715
try:
pc = self.resolve()
except RuntimeError:
ch.FATAL("not found, can’t resolve: %s" % self)
dev_child = pc.stat(False).st_dev
while (not pc.root_p):
dev_parent = pc.parent.stat(False).st_dev
if (dev_child != dev_parent):
return pc
pc = pc.parent
# Got all the way up to root without finding a transition, so we’re on
# the root filesystem.
return self.__class__("/")
def rmtree(self):
ch.TRACE("deleting directory: %s" % self)
try:
shutil.rmtree(self)
except OSError as x:
ch.FATAL("can’t recursively delete directory %s: %s: %s"
% (self, x.filename, x.strerror))
def setxattr(self, name, value):
if (ch.xattrs_save):
try:
os.setxattr(self, name, value, follow_symlinks=False)
except OSError as x:
if (x.errno == errno.ENOTSUP): # no OSError subclass
ch.WARNING("xattrs not supported on %s, setting --no-xattr"
% self.mountpoint())
ch.xattrs_save = False
else:
ch.FATAL("can’t set xattr: %s: %s: %s"
% (self, name, x.strerror))
if (not ch.xattrs_save): # not “else” because maybe changed in “if”
ch.DEBUG("xattrs disabled, ignoring: %s: %s" % (self, name))
return
def stat_bytes(self, links):
"Return self.stat() encoded as an opaque bytearray."
st = self.stat(links)
return ( self.path.encode("UTF-8")
+ struct.pack("=HQQ", st.st_mode, st.st_size, st.st_mtime_ns))
def stat_bytes_recursive(self):
"""Return concatenation of self.stat() and all my children as an opaque
bytearray, in unspecified but consistent order. Follow symlinks in
self but not its descendants."""
# FIXME: Locale issues related to sorting?
md = self.stat_bytes(True)
if (self.is_dir()):
for (dir_, dirs, files) in ch.walk(self):
md += dir_.stat_bytes(False)
for f in sorted(files):
md += (dir_ // f).stat_bytes(False)
dirs.sort()
return md
def strip(self, left=0, right=0):
"""Return a copy of self with n leading components removed. E.g.:
>>> a = Path("/a/b/c")
>>> a.strip(left=1)
Path('a/b/c')
>>> a.strip(right=1)
Path('/a/b')
>>> a.strip(left=1, right=1)
Path('a/b')
>>> Path("/a/b/").strip(right=1)
Path('/a/')
It is an error if self doesn’t have at least left + right components,
i.e., you can strip a path down to nothing but not further.
>>> Path("/").strip(left=1, right=1)
Traceback (most recent call last):
...
ValueError: can't strip 2 components from a path with only 1"""
parts = self.parts
if (len(parts) < left + right):
raise ValueError("can't strip %d components from a path with only %d"
% (left + right, len(parts)))
ret = self.__class__(*self.parts[left:len(self.parts)-right])
if (self.trailed_p):
ret.path += "/"
return ret
def suffix_add(self, suffix):
"""Append the given suffix and return the result. Dot (“.”) is not
special and must be specified explicitly if needed. E.g.:
>>> Path("a").suffix_add(".txt")
Path('a.txt')
>>> Path("a").suffix_add("_txt")
Path('a_txt')
>>> Path("a/").suffix_add(".txt")
Path('a.txt/')"""
return self.__class__( self.untrailed.path
+ suffix
+ ("/" if self.trailed_p else ""))
class Storage:
"""Source of truth for all paths within the storage directory. Do not
compute any such paths elsewhere!"""
__slots__ = ("lockfile_fp",
"root")
def __init__(self, storage_cli):
self.root = storage_cli
if (self.root is None):
self.root = self.root_env()
if (self.root is None):
self.root = self.root_default()
if (not self.root.is_absolute()):
self.root = os.getcwd() // self.root
@staticmethod
def root_default():
return Path("/var/tmp/%s.ch" % ch.user())
@staticmethod
def root_env():
if (not "CH_IMAGE_STORAGE" in os.environ):
return None
path = Path(os.environ["CH_IMAGE_STORAGE"])
if (not path.is_absolute()):
ch.FATAL("$CH_IMAGE_STORAGE: not absolute path: %s" % path)
return path
@property
def bucache_needs_ignore_upgrade(self):
return self.build_cache // "ch_upgrade-ignore"
@property
def build_cache(self):
return self.root // "bucache"
@property
def build_large(self):
return self.root // "bularge"
@property
def download_cache(self):
return self.root // "dlcache"
@property
def image_tmp(self):
return self.root // "imgtmp"
@property
def lockfile(self):
return self.root // "lock"
@property
def mount_point(self):
return self.root // "mnt"
@property
def unpack_base(self):
return self.root // "img"
@property
def upload_cache(self):
return self.root // "ulcache"
@property
def valid_p(self):
"""Return True if storage present and seems valid, even if old, False
otherwise. This answers “is the storage directory real”, not “can
this storage directory be used”; it should return True for more or
less any Charliecloud storage directory we might feasibly come
across, even if it can’t be upgraded."""
return (os.path.isdir(self.unpack_base) and
os.path.isdir(self.download_cache) and
os.path.isfile(self.version_file))
@property
def version_file(self):
return self.root // "version"
def build_large_path(self, name):
return self.build_large // name
def cleanup(self):
"Called during initialization after we know the storage dir is valid."
# Delete partial downloads.
part_ct = 0
for path in self.download_cache.glob("part_*"):
path = Path(path)
path = self.download_cache // path.name
ch.VERBOSE("deleting: %s" % path)
path.unlink()
part_ct += 1
if (part_ct > 0):
ch.WARNING("deleted %d partially downloaded files" % part_ct)
def fatman_for_download(self, image_ref):
return self.download_cache // ("%s.fat.json" % image_ref.for_path)
def init(self):
"""Ensure the storage directory exists, contains all the appropriate
top-level directories & metadata, and is the appropriate version."""
# WARNING: This function contains multiple calls to self.lock(). The
# point is to lock as soon as we know the storage directory exists, and
# definitely before writing anything, to reduce the race conditions that
# surely exist. Ensure new code paths also call self.lock().
if (not os.path.isdir(self.root)):
op = "initializing"
v_found = None
else:
op = "upgrading" # not used unless upgrading
if (not self.valid_p):
if (os.path.exists(self.root) and not self.root.listdir()):
hint = "let Charliecloud create %s; see FAQ" % self.root.name
else:
hint = None
ch.FATAL("storage directory seems invalid: %s" % self.root, hint)
v_found = self.version_read()
if (v_found == STORAGE_VERSION):
ch.VERBOSE("found storage dir v%d: %s" % (STORAGE_VERSION, self.root))
self.lock()
elif (v_found is None or v_found >= STORAGE_MIN_VERSION):
# v_found is either None if initializing, or it is at least the minimum
# storage version
ch.INFO("%s storage directory: v%d %s"
% (op, STORAGE_VERSION, self.root))
self.root.mkdir()
self.lock()
# These directories appeared in various storage versions, but since
# the thing to do on upgrade is the same as initialize, we don’t
# track the details.
self.download_cache.mkdir()
self.build_cache.mkdir()
self.build_large.mkdir()
self.unpack_base.mkdir()
self.upload_cache.mkdir()
self.version_file.file_write("%d\n" % STORAGE_VERSION)
else: # can’t upgrade
ch.FATAL("incompatible storage directory v%d: %s"
% (v_found, self.root),
"you can delete and re-initialize with “ch-image reset”")
self.validate_strict()
self.cleanup()
def lock(self):
"""Lock the storage directory. Charliecloud does not at present support
concurrent use of ch-image(1) against the same storage directory."""
# File locking on Linux is a disaster [1, 2]. Currently, we use POSIX
# fcntl(2) locking, which has major pitfalls but should be fine for our
# use case. It apparently works on NFS [3] and does not require
# cleanup/stealing like a lock file would.
#
# [1]: https://apenwarr.ca/log/20101213
# [2]: http://0pointer.de/blog/projects/locking.html
# [3]: https://stackoverflow.com/a/22411531
if (not storage_lock):
return
self.lockfile_fp = self.lockfile.open("w")
try:
fcntl.lockf(self.lockfile_fp, fcntl.LOCK_EX | fcntl.LOCK_NB)
except OSError as x:
if (x.errno in { errno.EACCES, errno.EAGAIN }):
ch.FATAL("storage directory is already in use",
"concurrent instances of ch-image cannot share the same storage directory")
else:
ch.FATAL("can’t lock storage directory: %s" % x.strerror)
def manifest_for_download(self, image_ref, digest):
if (digest is None):
digest = "skinny"
return ( self.download_cache
// ("%s%%%s.manifest.json" % (image_ref.for_path, digest)))
def reset(self):
if (self.valid_p):
self.root.rmtree()
self.init() # largely for debugging
else:
ch.FATAL("%s not a builder storage" % (self.root));
def unpack(self, image_ref):
return self.unpack_base // image_ref.for_path
def validate_strict(self):
"""Validate storage directory structure; if something is wrong, exit
with an error message. This is a strict validation; the version must
be current, the structure of the directory must be current, and
nothing unexpected may be present. However, it is not comprehensive.
The main purpose is to check for bad upgrades and other programming
errors, not meddling."""
ch.DEBUG("validating storage directory: %s" % self.root)
msg_prefix = "invalid storage directory"
# Check that all expected files exist, and no others. Note that we don’t
# verify file *type*, assuming that kind of error is rare.
entries = self.root.listdir()
for entry in { i.name for i in (self.build_cache,
self.build_large,
self.download_cache,
self.unpack_base,
self.upload_cache,
self.version_file) }:
try:
entries.remove(entry)
except KeyError:
ch.FATAL("%s: missing file or directory: %s" % (msg_prefix, entry))
# Ignore some files that may or may not exist.
entries -= { i.name for i in (self.lockfile, self.mount_point) }
# Delete some files that exist only if we crashed.
for i in (self.image_tmp, ):
if (i.name in entries):
ch.WARNING("deleting leftover temporary file/dir: %s" % i.name)
i.rmtree()
entries.remove(i.name)
# If anything is left, yell about it.
if (len(entries) > 0):
ch.FATAL("%s: extraneous file(s): %s"
% (msg_prefix, " ".join(sorted(entries))))
# check version
v_found = self.version_read()
if (v_found != STORAGE_VERSION):
ch.FATAL("%s: version mismatch: %d expected, %d found"
% (msg_prefix, STORAGE_VERSION, v_found))
# check that no image directories have “:” in filename
assert isinstance(self.unpack_base, Path) # remove if test suite passes
imgs = self.unpack_base.listdir()
imgs_bad = set()
for img in imgs:
if (":" in img): # bad char check b/c problem here is bad upgrade
ch.FATAL("%s: storage directory broken: bad image dir name: %s"
% (msg_prefix, img), ch.BUG_REPORT_PLZ)
def version_read(self):
text = self.version_file.file_read_all()
try:
return int(text)
except ValueError:
ch.FATAL('malformed storage version: "%s"' % text)
class TarFile(tarfile.TarFile):
# This subclass augments tarfile.TarFile to add safety code. While the
# tarfile module docs [1] say “do not use this class [TarFile] directly”,
# they also say “[t]he tarfile.open() function is actually a shortcut” to
# class method TarFile.open(), and the source code recommends subclassing
# TarFile [2].
#
# It’s here because the standard library class has problems with symlinks
# and replacing one file type with another; see issues #819 and #825 as
# well as multiple unfixed Python bugs [e.g. 3,4,5]. We work around this
# with manual deletions.
#
# [1]: https://docs.python.org/3/library/tarfile.html
# [2]: https://github.com/python/cpython/blob/2bcd0fe7a5d1a3c3dd99e7e067239a514a780402/Lib/tarfile.py#L2159
# [3]: https://bugs.python.org/issue35483
# [4]: https://bugs.python.org/issue19974
# [5]: https://bugs.python.org/issue23228
@staticmethod
def fix_link_target(ti, tb):
"""Deal with link (symbolic or hard) weirdness or breakage. If it can be
fixed, fix it; if not, abort the program."""
src = Path(ti.name)
tgt = Path(ti.linkname)
fix_ct = 0
# Empty target not allowed; have to check string b/c "" -> Path(".").
if (len(ti.linkname) == 0):
ch.FATAL("rejecting link with empty target: %s: %s" % (tb, ti.name))
# Fix absolute link targets.
if (tgt.is_absolute()):
if (ti.issym()):
# Change symlinks to relative for correct interpretation inside or
# outside the container.
kind = "symlink"
new = ( Path(*(("..",) * (len(src.parts) - 1)))
// Path(*(tgt.parts[1:])))
elif (ti.islnk()):
# Hard links refer to tar member paths; just strip leading slash.
kind = "hard link"
new = tgt.relative_to("/")
else:
assert False, "not a link"
ch.DEBUG("absolute %s: %s -> %s: changing target to: %s"
% (kind, src, tgt, new))
tgt = new
fix_ct = 1
# Reject links that climb out of image (FIXME: repair instead).
if (".." in os.path.normpath(src // tgt).split("/")):
ch.FATAL("rejecting too many up-levels: %s: %s -> %s" % (tb, src, tgt))
# Done.
ti.linkname = str(tgt)
return fix_ct
@staticmethod
def fix_member_uidgid(ti):
assert (ti.name[0] != "/") # absolute paths unsafe but shouldn’t happen
if (not (ti.isfile() or ti.isdir() or ti.issym() or ti.islnk())):
ch.FATAL("invalid file type: %s" % ti.name)
ti.uid = 0
ti.uname = "root"
ti.gid = 0
ti.gname = "root"
if (ti.mode & stat.S_ISUID):
ch.VERBOSE("stripping unsafe setuid bit: %s" % ti.name)
ti.mode &= ~stat.S_ISUID
if (ti.mode & stat.S_ISGID):
ch.VERBOSE("stripping unsafe setgid bit: %s" % ti.name)
ti.mode &= ~stat.S_ISGID
# Need new method name because add() is called recursively and we don’t
# want those internal calls to get our special sauce.
def add_(self, name, **kwargs):
def filter_(ti):
assert (ti.name == "." or ti.name[:2] == "./")
if (ti.name in ("./ch/git", "./ch/git.pickle")):
ch.DEBUG("omitting from push: %s" % ti.name)
return None
self.fix_member_uidgid(ti)
return ti
kwargs["filter"] = filter_
super().add(name, **kwargs)
def clobber(self, targetpath, regulars=False, symlinks=False, dirs=False):
assert (regulars or symlinks or dirs)
try:
st = os.lstat(targetpath)
except FileNotFoundError:
# We could move this except clause after all the stat.S_IS* calls,
# but that risks catching FileNotFoundError that came from somewhere
# other than lstat().
st = None
except OSError as x:
ch.FATAL("can’t lstat: %s" % targetpath, targetpath)
if (st is not None):
if (stat.S_ISREG(st.st_mode)):
if (regulars):
Path(targetpath).unlink()
elif (stat.S_ISLNK(st.st_mode)):
if (symlinks):
Path(targetpath).unlink()
elif (stat.S_ISDIR(st.st_mode)):
if (dirs):
Path(targetpath).rmtree()
else:
ch.FATAL("invalid file type 0%o in previous layer; see inode(7): %s"
% (stat.S_IFMT(st.st_mode), targetpath))
def makedir(self, tarinfo, targetpath):
# Note: This gets called a lot, e.g. once for each component in the path
# of the member being extracted.
self.clobber(targetpath, regulars=True, symlinks=True)
ch.TRACE("makedir: %s" % targetpath)
super().makedir(tarinfo, targetpath)
def makefile(self, tarinfo, targetpath):
self.clobber(targetpath, symlinks=True, dirs=True)
ch.TRACE("makefile: %s" % targetpath)
super().makefile(tarinfo, targetpath)
# Creating symlinks inside TarFile is a mess.
#
# 1. Not all Pythons have TarFile.makelink_with_filter(), but different
# versionf of Tarfile._extract_member() call either makelink() or
# makelink_with_filter(), so we need to cover both.
#
# 2. Some versions of Python silently fail to extract a symlink if it has
# the same name as a directory that already exists. This is because of
# makelink() / makelink_with_filter()’s bizarre (to me at least)
# assumption that if creating a symlink fails, that means (a) the system
# does not support symlinks and (b) the right fallback is to silently
# make a copy instead. However, this same failure mode is also
# erroneously triggered if Python cannot unlink(2) a file at the symlink
# location, e.g. if that file is a directory [1].
#
# On AlmaLinux’ system Python 3.9, this results in no symlink and no
# error, though you can see a log message if you do give “debug=3” to
# the constructor, but all other Pythons I’ve tried, it works fine. How
# this *ever* worked, I don’t know. I think it’s an additional argument
# for dropping Python tarfile in favor of GNU tar(1) (#1797).
#
# [1]: https://github.com/python/cpython/blob/c44070b/Lib/tarfile.py#L2655
def makelink(self, tarinfo, targetpath):
self.clobber(targetpath, regulars=True, symlinks=True, dirs=True)
ch.TRACE("makelink: %s -> %s" % (targetpath, tarinfo.linkname))
super().makelink(tarinfo, targetpath)
def makelink_with_filter(self, tarinfo, targetpath,
filter_function, extraction_root):
self.clobber(targetpath, regulars=True, symlinks=True, dirs=True)
ch.TRACE("makelink_with_filter: %s -> %s" % (targetpath,
tarinfo.linkname))
super().makelink_with_filter(tarinfo, targetpath,
filter_function, extraction_root)
|