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 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432
|
# SPDX-FileCopyrightText: © 2008-2022 Oprea Dan
# SPDX-FileCopyrightText: © 2008-2022 Bart de Koning
# SPDX-FileCopyrightText: © 2008-2022 Richard Bailey
# SPDX-FileCopyrightText: © 2008-2022 Germar Reitze
# SPDX-FileCopyrightText: © 2008-2022 Taylor Raack
# SPDX-FileCopyrightText: © 2024 Christian Buhtz <c.buhtz@posteo.jp>
#
# SPDX-License-Identifier: GPL-2.0-or-later
#
# This file is part of the program "Back In Time" which is released under GNU
# General Public License v2 (GPLv2). See LICENSES directory or go to
# <https://spdx.org/licenses/GPL-2.0-or-later.html>.
"""Collection of helper functions not fitting to other modules.
"""
import os
import sys
import pathlib
import subprocess
import shlex
import signal
import re
import math
import errno
import locale
import gettext
import hashlib
import ipaddress
import shutil
from datetime import datetime, timedelta
from collections.abc import MutableMapping
from packaging.version import Version
from typing import Union
from bitbase import TimeUnit, BINARY_NAME_BASE
from storagesize import StorageSize, SizeUnit
import logger
# Try to import keyring
is_keyring_available = False
try:
# Jan 4, 2024 aryoda: The env var BIT_USE_KEYRING is neither documented
# anywhere nor used at all in the code.
# Via "git blame" I have found a commit message saying:
# "block subsequent 'import keyring' if it failed once"
# So I assume it is an internal temporary env var only.
# Note: os.geteuid() is used instead of tools.isRoot() here
# because the latter is still not available here in the global
# module code.
if os.getenv('BIT_USE_KEYRING', 'true') == 'true' and os.geteuid() != 0:
import keyring
from keyring import backend
import keyring.util.platform_
is_keyring_available = True
except Exception as e:
is_keyring_available = False
# block subsequent 'import keyring' if it failed once before
os.putenv('BIT_USE_KEYRING', 'false')
logger.warning(f"'import keyring' failed with: {repr(e)}")
# getting dbus imports to work in Travis CI is a huge pain
# use conditional dbus import
ON_TRAVIS = os.environ.get('TRAVIS', 'None').lower() == 'true'
ON_RTD = os.environ.get('READTHEDOCS', 'None').lower() == 'true'
try:
import dbus
except ImportError:
if ON_TRAVIS or ON_RTD:
# python-dbus doesn't work on Travis yet.
dbus = None
else:
raise
import configfile
import bcolors
from exceptions import (Timeout,
InvalidChar,
InvalidCmd,
LimitExceeded,
PermissionDeniedByPolicy)
import languages
# Workaround:
# While unittesting and without regular invocation of BIT the GNU gettext
# class-based API isn't setup yet.
try:
_('Warning')
except NameError:
_ = lambda val: val
DISK_BY_UUID = '/dev/disk/by-uuid'
# |-----------------|
# | Handling paths |
# |-----------------|
def sharePath():
"""Get path where Back In Time is installed.
This is similar to ``XDG_DATA_DIRS``. If running from source return
default ``/usr/share``.
Share path like: ::
/usr/share
/usr/local/share
/opt/usr/share
Returns:
str: Share path.
"""
share = os.path.abspath(
os.path.join(__file__, os.pardir, os.pardir, os.pardir)
)
if os.path.basename(share) == 'share':
return share
return '/usr/share'
def as_backintime_path(*path: str) -> str:
"""Get path inside ``backintime`` install folder.
Args:
*path (str): Paths that should be joined to ``backintime``.
Returns:
str: Child path of ``backintime`` child path e.g.
``/usr/share/backintime/common``or ``/usr/share/backintime/qt``.
"""
result = pathlib.Path(__file__).parent.parent / pathlib.Path(*path)
result = result.resolve()
return str(result)
# |---------------------------------------------------|
# | Internationalization (i18n) & localization (L10n) |
# |---------------------------------------------------|
_GETTEXT_DOMAIN = BINARY_NAME_BASE
_GETTEXT_LOCALE_DIR = pathlib.Path(sharePath()) / 'locale'
def _determine_current_used_language_code(translation, language_code):
"""Return the language code used by GNU gettext for real.
Args:
translation(gettext.NullTranslations): The translation installed.
language_code(str): Configured language code.
The used language code can differ from the one in Back In Times config
file and from the current systems locale.
It is necessary because of situations where the language is not explicit
setup in Back In Time config file and GNU gettext do try to find and use a
language file for the current systems locale. But even this can fail and
the fallback (source language "en") is used or an alternative locale.
"""
try:
# The field "language" is rooted in header of the po-file.
current_used_language_code = translation.info()['language']
except KeyError:
# Workaround:
# BIT versions 1.3.3 or older don't have the "language" field in the
# header of their po-files.
# The approach is to extract the language code from the full filepath
# of the currently used mo-file.
# Get the filepath of the used mo-file
mo_file_path = gettext.find(
domain=_GETTEXT_DOMAIN,
localedir=_GETTEXT_LOCALE_DIR,
languages=[language_code, ] if language_code else None,
)
# Extract the language code form that path
if mo_file_path:
mo_file_path = pathlib.Path(mo_file_path)
# e.g /usr/share/locale/de/LC_MESSAGES/backintime.mo
# ^^
current_used_language_code = mo_file_path.relative_to(
_GETTEXT_LOCALE_DIR).parts[0]
else:
# Workaround: Happens when LC_ALL=C, which in BIT context mean
# its source language in English.
current_used_language_code = 'en'
return current_used_language_code
def initiate_translation(language_code):
"""Initiate Class-based API of GNU gettext.
Args:
language_code(str): Language code to use (based on ISO-639).
It installs the ``_()`` (and ``ngettext()`` for plural forms) in the
``builtins`` namespace and eliminates the need to ``import gettext``
and declare ``_()`` in each module. The systems current local is used
if the language code is None.
"""
if language_code:
logger.debug(f'Language code "{language_code}".')
else:
logger.debug('No language code. Use systems current locale.')
translation = gettext.translation(
domain=_GETTEXT_DOMAIN,
localedir=_GETTEXT_LOCALE_DIR,
languages=[language_code, ] if language_code else None,
fallback=True
)
translation.install(names=['ngettext'])
used_code = _determine_current_used_language_code(
translation, language_code)
set_locale_by_language_code(used_code)
logger.debug(f'Language code used: "{used_code}"')
return used_code
def set_locale_by_language_code(language_code: str):
"""Set ``LC_ALL`` based on a specific language code.
Args:
language_code(str): A language code consisting of two letters.
The reason is to display correctly translated weekday and months names.
Python's :mod:`datetime` module, as well ``PyQt6.QtCore.QDate``,
use :mod:`locale` to determine the correct translation. The
module :mod:`gettext` and ``PyQt6.QtCore.QTranslator`` is not involved
so their setup does not take effect.
Be aware that a language code (e.g. ``de``) is not the same as a locale
code (e.g. ``de_DE.UTF-8``). This function attempts to determine the latter
based on the language code. A warning is logged if it is not possible.
"""
# Determine the normalized locale code (e.g. "de_DE.UTF-8") by
# language code (e.g. "de").
# "de" -> "de_DE.ISO8859-1" -> "de_DE"
code = locale.normalize(language_code).split('.')[0]
try:
# "de_DE" -> "de_DE.UTF-8"
code = code + '.' + locale.getencoding()
except AttributeError: # Python 3.10 or older
code = code + '.' + locale.getpreferredencoding()
try:
locale.setlocale(locale.LC_ALL, code)
except locale.Error:
logger.debug(
f'Determined normalized locale code "{code}" (from language code '
f'"{language_code}") not available (or invalid). The code will be '
'ignored. This might lead to unusual display of dates and '
'timestamps, but it does not affect the functionality of the '
f'application. Used locale is "{locale.getlocale()}".')
def get_available_language_codes():
"""Return language codes available in the current installation.
The filesystem is searched for ``backintime.mo`` files and the language
code is extracted from the full path of that files.
Return:
List of language codes.
"""
# full path of one mo-file
# e.g. /usr/share/locale/de/LC_MESSAGES/backintime.mo
mo = gettext.find(domain=_GETTEXT_DOMAIN, localedir=_GETTEXT_LOCALE_DIR)
if mo:
mo = pathlib.Path(mo)
else:
# Workaround. This happens if LC_ALL=C and BIT don't use an explicit
# language. Should be re-design.
mo = _GETTEXT_LOCALE_DIR / 'xy' / 'LC_MESSAGES' / 'backintime.mo'
# e.g. de/LC_MESSAGES/backintime.mo
mo = mo.relative_to(_GETTEXT_LOCALE_DIR)
# e.g. */LC_MESSAGES/backintime.mo
mo = pathlib.Path('*') / pathlib.Path(*mo.parts[1:])
mofiles = _GETTEXT_LOCALE_DIR.rglob(str(mo))
return [p.relative_to(_GETTEXT_LOCALE_DIR).parts[0] for p in mofiles]
def get_language_names(language_code):
"""Return a list with language names in three different flavors.
Language codes from `get_available_language_codes()` are combined with
`languages.language_names` to prepare the list.
If ``language_code`` is not
one of the available languages English is used.
Args:
language_code (str): Usually the current language used by Back In Time.
Returns:
A dictionary indexed by language codes with 3-item tuples as
values. Each tuple contain three representations of the same language:
``language_code`` (usually the current locales language),
the language itself (native) and in English (the source language);
e.g. ``ja`` (Japanese) for ``de`` (German) locale
is ``('Japanisch', '日本語', 'Japanese')``.
If ``language_code`` is not one of the available languages the first
element in the tuple is ``None``.
"""
result = {}
codes = ['en'] + get_available_language_codes()
for c in codes:
try:
# A dict with one specific language and how its name is
# represented in all other languages.
# e.g. "Japanese" in "de" is "Japanisch"
# e.g. "Deutsch" in "es" is "alemán"
lang = languages.names[c]
except KeyError:
names = None
else:
names = (
# in currents locale language
lang.get(language_code, None),
# native
lang['_native'],
# in English (source language)
lang['en']
)
result[c] = names
return result
def get_native_language_and_completeness(language_code: str
) -> tuple[str, int]:
"""Return the language name in its native flavor and the completeness of
its translation in percent.
Args:
language_code(str): The language code.
Returns:
A two-entry tuple with language name as string and a percent as
integer.
"""
name = languages.names[language_code][language_code]
completeness = languages.completeness[language_code]
return (name, completeness)
# |---------------------------------------|
# | Snapshot handling |
# | |
# | Candidates for refactoring and moving |
# | into better suited modules/classes |
# |---------------------------------------|
NTFS_FILESYSTEM_WARNING = _(
'The destination filesystem for {path} is formatted with NTFS, which has '
'known incompatibilities with Unix-style filesystems.')
def validate_and_prepare_snapshots_path(
path: Union[str, pathlib.Path],
host_user_profile: tuple[str, str, str],
mode: str,
copy_links: bool,
error_handler: callable) -> bool:
"""Check if the given path is valid for being a snapshot path.
It is checked if it is a folder, if it is writable, if the filesystem is
supported and several other things.
Dev note (buhtz, 2024-09): That code is a good candidate to get moved
into a class or module.
Args:
path: The path to validate as a snapshot path.
host_user_profile: I three item list containing the values for 'host',
'user' and 'profile' used as additional components for the
snapshots path.
mode: The profiles mode.
copy_links: The copy links value.
error_handler: Handle function receiving error messages.
Returns: Success (`True`) or failure (`False`).
"""
path = pathlib.Path(path)
if not path.is_dir():
error_handler(_('{path} is not a valid directory.')
.format(path=path))
return False
# build full path
# <path>/backintime/<host>/<user>/<profile_id>
full_path = pathlib.Path(path, 'backintime', *host_user_profile)
# create full_path
try:
full_path.mkdir(mode=0o777, parents=True, exist_ok=True)
except PermissionError:
error_handler('\n'.join([
_('Creation of following directory failed:'),
str(full_path),
_('Write access may be restricted.')]))
return False
# Test filesystem
rc, msg = is_filesystem_valid(
full_path, path, mode, copy_links)
if msg:
error_handler(msg)
if rc is False:
return False
# Test write access for the folder
rc, msg = is_writeable(full_path)
if msg:
error_handler(msg)
if rc is False:
return False
return True
def is_filesystem_valid(full_path, msg_path, mode, copy_links):
"""
Args:
full_path: The path to validate.
msg_path: The path used for display in error messages.
mode: Snapshot profile mode.
copy_links: Snapshot profiles copy links setting.
Returns:
(bool, str): A boolean value indicating success or failure and a
msg string.
"""
fs = filesystem(
full_path if isinstance(full_path, str) else str(full_path))
msg = None
if fs in ('vfat', 'exfat'):
msg = _(
"Destination filesystem for {path} is formatted with FAT "
"which doesn't support hard-links. "
"Please use a native GNU/Linux filesystem.").format(path=msg_path)
return False, msg
elif fs.startswith('ntfs'):
msg = NTFS_FILESYSTEM_WARNING.format(path=msg_path)
elif fs == 'cifs' and not copy_links:
msg = _(
'Destination filesystem for {path} is a share mounted via SMB. '
'Please make sure the remote SMB server supports symlinks or '
'activate "{copyLinks}" in "{expertOptions}".') \
.format(path=msg_path,
copyLinks=_('Copy links (dereference symbolic links)'),
expertOptions=_('Expert Options'))
elif fs == 'fuse.sshfs' and mode not in ('ssh', 'ssh_encfs'):
msg = _(
"Destination filesystem for {path} is a share mounted via sshfs. "
"Sshfs doesn't support hard-links. "
'Please use mode "SSH" instead.').format(path=msg_path)
return False, msg
return True, msg
def is_writeable(folder):
"""Test write access for the folder.
Args:
folder: The folder to check.
Returns:
(bool, str): A boolean value indicating success or failure and a
msg string.
"""
folder = pathlib.Path(folder)
check_path = folder / 'check'
try:
check_path.mkdir(
# Do not create parent folders
parents=False,
# Raise error if exists
exist_ok=False
)
except PermissionError:
msg = '\n'.join([
_('File creation failed in this directory:'),
str(folder),
_('Write access may be restricted.')])
return False, msg
else:
check_path.rmdir()
return True, None
# |-----------------------------------|
# | Manimpulation of basic data types |
# |-----------------------------------|
def nested_dict_update(org: dict, update: dict) -> dict:
"""Nested update of dict-like 'org' with dict-like 'update'.
See *Deep merge dictionaries of dictionaries in Python* at
StackOverflow: https://stackoverflow.com/q/7204805/4865723
Credits for current solution:
https://stackoverflow.com/a/52319248/4865723
"""
for key in update:
if (key in org
and isinstance(org[key], MutableMapping)
and isinstance(update[key], MutableMapping)):
nested_dict_update(org[key], update[key])
continue
org[key] = update[key]
return org
# |-------------------|
# | File system stuff |
# |-------------------|
def free_space(path: pathlib.Path, ssh_command: list[str] = None
) -> StorageSize | None:
"""Get free space as StorageSize on (remote) filesystem containing
``path``.
Args:
path: File or directory.
ssh_command: See `_free_space_ssh()` for details.
Returns:
Free space in StorageSize or ``None`` in case of errors.
"""
if ssh_command:
value = _free_space_ssh(path, ssh_command)
else:
value = _free_space_local(path)
return StorageSize(value, SizeUnit.B) if value else value
def _free_space_local(path: pathlib.Path) -> int:
"""Get free space in Byte on filesystem containing ``path``.
Args:
path: File or directory.
Returns:
Free space in Byte.
"""
try:
usage = shutil.disk_usage(path)
except FileNotFoundError:
logger.error('Unable to get free space (local) because the path '
f'{path} was not found.')
return None
return usage.free
def _free_space_ssh(path: pathlib.Path, ssh_command: list[str]) -> int | None:
"""Get free space in Byte on remote filesystem.
Use Config.sshCommand() to construct ``ssh_command`` regarding the backup
profile of interest. This is a workaround and will be refactored one day.
Args:
path: File or directory on remote system.
ssh_command: SSH command used as prefix to the ``stat`` command.
Returns:
Free space in Byte or ``None`` in case of errors.
"""
try:
result = subprocess.check_output(
ssh_command + [
'stat',
'--file-system',
# %a: Free blocks available for the user.
# %S: Blocksize
'--format=%a,%S',
str(path) if path else './'
],
text=True
)
except subprocess.CalledProcessError as exc:
logger.error(f'Unable to get free space via SSH. {exc}')
return None
available, blocksize = [int(val) for val in result.strip().split(',')]
return available * blocksize
# |------------------------------------|
# | Miscellaneous, not categorized yet |
# |------------------------------------|
def register_backintime_path(*path: str):
"""
Add BackInTime path ``path`` to :py:data:`sys.path` so subsequent imports
can discover them.
Args:
*path (str): paths that should be joined to 'backintime'
Note:
Duplicate in :py:func:`qt/qttools.py` because modules in qt folder
would need this to actually import :py:mod:`tools`.
"""
path = as_backintime_path(*path)
if path not in sys.path:
sys.path.insert(0, path)
def runningFromSource():
"""Check if BackInTime is running from source (without installing).
Dev notes by buhtz (2024-04): This function is dangerous and will give a
false-negative in fake filesystems (e.g. PyFakeFS). The function should
not exist. Beside unit tests it is used only two times. Remove it until
migration to pyproject.toml based project packaging (#1575).
Returns:
bool: ``True`` if BackInTime is running from source.
"""
return os.path.isfile(as_backintime_path('common', 'backintime'))
def addSourceToPathEnviron():
"""
Add 'backintime/common' path to 'PATH' environ variable.
"""
source = as_backintime_path('common')
path = os.getenv('PATH')
if path and source not in path.split(':'):
os.environ['PATH'] = '%s:%s' % (source, path)
def get_git_repository_info(path=None, hash_length=None):
"""Return the current branch and last commit hash.
The information will be extracted from the git folder without using git
binary. About the length of a commit hash. There is no strict rule but it
is common sense that 8 to 10 characters are enough to be unique.
Credits: https://stackoverflow.com/a/51224861/4865723
Args:
path (Path): Path with '.git' folder in (default is
current working directory).
cut_hash (int): Restrict length of commit hash.
Returns:
(dict): Dict with keys "branch" and "hash" if it is a git repo,
otherwise an `None`.
"""
if not path:
# Default is current working dir
path = pathlib.Path.cwd()
elif isinstance(path, str):
# WORKAROUND until cmoplete migration to pathlib
path = pathlib.Path(path)
git_folder = path / '.git'
if not git_folder.exists():
return None
result = {}
# branch name
with (git_folder / 'HEAD').open('r') as handle:
val = handle.read()
if not val.startswith('ref: '):
result['branch'] = '(detached HEAD)'
result['hash'] = val
else:
result['branch'] = '/'.join(val.split('/')[2:]).strip()
# commit hash
with (git_folder / 'refs' / 'heads' / result['branch']) \
.open('r') as handle:
result['hash'] = handle.read().strip()
if hash_length:
result['hash'] = result['hash'][:hash_length]
return result
def elapsed_at_least(start: datetime,
end: datetime,
value: int,
unit: TimeUnit) -> bool:
"""
Check if a time span meets at least a number of time units, counting
partial units as full.
Return ``True`` if the time span between ``start`` and ``end`` is at least
``value`` units (``units``). The unit can be hours, days, weeks, or months
(see `TimeUnit` for details). Partial units are counted.
The difference is measured as follows:
* hours: full or partial hours
* days: calendar days (date only)
* weeks: full or partial calendar weeks (starting Monday)
* months: full or partial calendar months
Args:
start: Beginning timestamp.
end: Ending timestamp.
value: Minimum number of units required.
unit: TimeUnit specifying hours, days, weeks, or months.
Returns:
``True`` if the elapsed time is greater than or equal to ``value``
units, otherwise ``False``.
"""
# Workaround
if not isinstance(unit, TimeUnit):
unit = TimeUnit(unit)
if unit is TimeUnit.HOUR:
# Calculate difference in hours, counting partial hours
delta_hours = math.ceil((end - start).total_seconds() / 3600)
return delta_hours >= value
if unit is TimeUnit.DAY:
return start.date() <= (end.date() - timedelta(days=value))
if unit is TimeUnit.WEEK:
# Difference in calendar weeks (starting monday), counting partial
# weeks
start_week = start.date() - timedelta(days=start.weekday())
end_week = end.date() - timedelta(days=end.weekday())
delta_days = (end_week - start_week).days
return math.ceil(delta_days / 7) >= value
if unit is TimeUnit.MONTH:
# Difference in calendar month, counting partial months
year_diff = end.year - start.year
month_diff = end.month - start.month
delta_months = year_diff * 12 + month_diff
return delta_months >= value
# Dev note (buhtz, 2024-09): This code branch already existed in the
# original code (but silent, without throwing an exception). Even if it may
# seem (nearly) pointless, it will be kept for now to ensure that it is
# never executed.
raise RuntimeError(f'Unexpected situation. {start=} {end=} {value=} '
f'{unit=}. Please report it via a bug ticket.')
def checkCommand(cmd: str) -> bool:
"""Check if command ``cmd`` is a file in 'PATH' environment.
Args:
cmd (str): The command.
Returns:
bool: ``True`` if ``cmd`` is in 'PATH' environment otherwise ``False``.
"""
cmd = cmd.strip()
if not cmd:
return False
if os.path.isfile(cmd):
return True
return which(cmd) is not None
def which(cmd):
"""Get the fullpath of executable command ``cmd``.
Works like command-line 'which' command.
Dev note by buhtz (2024-04): Give false-negative results in fake
filesystems. Quit often use in the whole code base. But not sure why
can we replace it with "which" from shell?
Args:
cmd (str): The command.
Returns:
str: Fullpath of command ``cmd`` or ``None`` if command is not
available.
"""
pathenv = os.getenv('PATH', '')
path = pathenv.split(':')
common = as_backintime_path('common')
if runningFromSource() and common not in path:
path.insert(0, common)
for directory in path:
fullpath = os.path.join(directory, cmd)
if os.path.isfile(fullpath) and os.access(fullpath, os.X_OK):
fullpath = str(pathlib.Path(fullpath).resolve())
return fullpath
return None
def makeDirs(path):
"""
Create directories ``path`` recursive and return success.
Args:
path (str): fullpath to directories that should be created
Returns:
bool: ``True`` if successful
"""
path = path.rstrip(os.sep)
if not path:
return False
if os.path.isdir(path):
return True
else:
try:
os.makedirs(path)
except Exception as e:
logger.error("Failed to make dirs '%s': %s"
% (path, str(e)), traceDepth=1)
return os.path.isdir(path)
def mkdir(path, mode=0o755, enforce_permissions=True):
"""
Create directory ``path``.
Args:
path (str): full path to directory that should be created
mode (int): numeric permission mode
Returns:
bool: ``True`` if successful
"""
if os.path.isdir(path):
try:
if enforce_permissions:
os.chmod(path, mode)
except:
return False
return True
else:
os.mkdir(path, mode)
if mode & 0o002 == 0o002:
# make file world (other) writable was requested
# debian and ubuntu won't set o+w with os.mkdir
# this will fix it
os.chmod(path, mode)
return os.path.isdir(path)
def processStat(pid):
"""
Get the stat's of the process with ``pid``.
Args:
pid (int): Process Indicator
Returns:
str: stat from /proc/PID/stat
"""
try:
with open('/proc/{}/stat'.format(pid), 'rt') as f:
return f.read()
except OSError as e:
logger.warning('Failed to read process stat from {}: [{}] {}'
.format(e.filename, e.errno, e.strerror))
return ''
def processPaused(pid):
"""
Check if process ``pid`` is paused (got signal SIGSTOP).
Args:
pid (int): Process Indicator
Returns:
bool: True if process is paused
"""
m = re.match(r'\d+ \(.+\) T', processStat(pid))
return bool(m)
def processName(pid):
"""
Get the name of the process with ``pid``.
Args:
pid (int): Process Indicator
Returns:
str: name of the process
"""
m = re.match(r'.*\((.+)\).*', processStat(pid))
if m:
return m.group(1)
def processCmdline(pid):
"""
Get the cmdline (command that spawnd this process) of the process with
``pid``.
Args:
pid (int): Process Indicator
Returns:
str: cmdline of the process
"""
try:
with open('/proc/{}/cmdline'.format(pid), 'rt') as f:
return f.read().strip('\n')
except OSError as e:
logger.warning('Failed to read process cmdline from {}: [{}] {}'
.format(e.filename, e.errno, e.strerror))
return ''
def pidsWithName(name):
"""
Get all processes currently running with name ``name``.
Args:
name (str): name of a process like 'python3' or 'backintime'
Returns:
list: PIDs as int
"""
all_pids = [
int(fp.name)
for fp in pathlib.Path('/proc').iterdir()
if fp.name.isdigit()
]
# /proc/###/stat stores just the first 16 chars of the process name
name_to_look_for = name[:15]
return [pid for pid in all_pids if processName(pid) == name_to_look_for]
def processExists(name):
"""
Check if process ``name`` is currently running.
Args:
name (str): name of a process like 'python3' or 'backintime'
Returns:
bool: ``True`` if there is a process running with ``name``
"""
return len(pidsWithName(name)) > 0
def processAlive(pid):
"""Check if the process with PID ``pid`` is alive.
Args:
pid (int): Process Indicator
Returns:
bool: ``True`` if alive otherwise ``False``.
Raises:
ValueError: If ``pid`` is 0 because 'kill(0, SIG)' would send SIG to
all processes.
"""
if pid < 0:
return False
if pid == 0:
raise ValueError('Invalid PID 0')
try:
# Signal 0 is a dummy signal without effect. But an OSError is raised
# if the process does not exists.
os.kill(pid, 0)
except OSError as err:
if err.errno == errno.ESRCH:
# ESRCH == No such process
return False
if err.errno == errno.EPERM:
# EPERM clearly means there's a process to deny access to
return True
raise
return True
def checkXServer():
"""
Check if there is a X11 server running on this system.
Use ``is_Qt_working`` instead if you want to be sure that Qt is working.
Returns:
bool: ``True`` if X11 server is running
"""
# Note: Return values of xdpyinfo <> 0 are not clearly documented.
# xdpyinfo does indeed return 1 if it prints
# xdypinfo: unable to open display "..."
# This seems to be undocumented (at least not in the man pages)
# and the source is not obvious here:
# https://cgit.freedesktop.org/xorg/app/xdpyinfo/tree/xdpyinfo.c
if checkCommand('xdpyinfo'):
proc = subprocess.Popen(['xdpyinfo'],
stdout=subprocess.DEVNULL,
stderr=subprocess.DEVNULL)
proc.communicate()
return proc.returncode == 0
return False
def is_Qt_working(systray_required=False):
"""
Check if the Qt GUI library is working (installed and configured)
This function is contained in BiT CLI (not BiT Qt) to allow Qt
diagnostics output even if the BiT Qt GUI is not installed.
This function does NOT add a hard Qt dependency (just "probing")
so it is OK to be in BiT CLI.
Args:
systray_required: Set to ``True`` if the systray of the desktop
environment must be available too to consider Qt as "working"
Returns:
bool: ``True`` Qt can create a GUI
``False`` Qt fails (or the systray is not available
if ``systray_required`` is ``True``)
"""
# Spawns a new process since it may crash with a SIGABRT and we
# don't want to crash BiT if this happens...
path = os.path.join(as_backintime_path("common"), "qt_probing.py")
cmd = [sys.executable, path]
if logger.DEBUG:
cmd.append('--debug')
try:
with subprocess.Popen(cmd,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
universal_newlines=True) as proc:
# to get the exit code "timeout" fixes #1592 (qt_probing.py may
# hang as root): Kill after timeout
std_output, error_output = proc.communicate(timeout=30)
logger.debug(f"Qt probing result: exit code {proc.returncode}")
# if some Qt parts are missing: Show details
if proc.returncode != 2 or logger.DEBUG:
logger.debug('Qt probing '
f'STDOUT: "{std_output}" '
f'STDERR: "{error_output}"')
rc = proc.returncode
return rc == 2 or (rc == 1 and systray_required is False)
except FileNotFoundError:
logger.error(f'Qt probing script not found: {cmd[0]}')
raise
# Fix for #1592 (qt_probing.py may hang as root): Kill after timeout
except subprocess.TimeoutExpired:
proc.kill()
outs, errs = proc.communicate()
# ??? Is this worth an INFO ?
logger.info('Qt probing sub process killed after timeout '
'without response')
logger.debug('Qt probing '
f'STDOUT: "{outs}" '
f'STDERR: "{errs}"')
except Exception as exc:
logger.critical(f'Unknown Error: {exc}')
raise
def powerStatusAvailable():
"""
Check if org.freedesktop.UPower is available so that
:py:func:`tools.onBattery` would return the correct power status.
Returns:
bool: ``True`` if :py:func:`tools.onBattery` can report power status
"""
if dbus:
try:
bus = dbus.SystemBus()
proxy = bus.get_object('org.freedesktop.UPower',
'/org/freedesktop/UPower')
return 'OnBattery' in proxy.GetAll(
'org.freedesktop.UPower',
dbus_interface='org.freedesktop.DBus.Properties')
except dbus.exceptions.DBusException:
pass
return False
def onBattery():
"""
Checks if the system is on battery power.
Returns:
bool: ``True`` if system is running on battery
"""
if dbus is None:
return False
try:
bus = dbus.SystemBus()
proxy = bus.get_object('org.freedesktop.UPower',
'/org/freedesktop/UPower')
return bool(proxy.Get(
'org.freedesktop.UPower',
'OnBattery',
dbus_interface='org.freedesktop.DBus.Properties'))
except dbus.exceptions.DBusException as exc:
logger.debug('DBus exception while determining if running on '
f'battery. {exc}')
return False
def rsyncCaps() -> list[str]:
"""
Get capabilities of the installed rsync binary. This can be different from
version to version and also on build arguments used when building rsync.
Dev note (buhtz, 2025-07): BIT uses --xattrs and --acls only. Both are
introduced with rsync 3.0.0 in year 2008. Might be worth to keep this
check.
Returns:
List of str with rsyncs capabilities.
"""
proc = subprocess.Popen(['rsync', '--version'],
stdout=subprocess.PIPE,
universal_newlines=True)
data = proc.communicate()[0]
caps = []
# rsync >= 3.1 does provide --info=progress2
matchers = (
r'rsync\s*version\s*(\d\.\d)',
r'rsync\s*version\s*v(\d\.\d.\d)'
)
for matcher in matchers:
m = re.match(matcher, data)
if m and Version(m.group(1)) >= Version('3.1'):
caps.append('progress2')
break
# all other capabilities are separated by ',' between
# 'Capabilities:' and '\n\n'
m = re.match(r'.*Capabilities:(.+)\n\n.*', data, re.DOTALL)
if not m:
return caps
for line in m.group(1).split('\n'):
caps.extend(
[i.strip(' \n') for i in line.split(',') if i.strip(' \n')])
return caps
def rsyncPrefix(config,
no_perms: bool = True,
use_mode: list[str] = ['ssh', 'ssh_encfs'],
progress: bool = True) -> list[str]:
"""
Get rsync command and all args for creating a new snapshot. Args are
based on current profile in ``config``.
Args:
config: current config
no_perms: Don't sync permissions (--no-p --no-g --no-o). If ``True``.
:py:func:`config.Config.preserveAcl` == ``True`` or
:py:func:`config.Config.preserveXattr` == ``True``
will overwrite this to ``False``
use_mode: If current mode is in this list add additional args
for that mode.
progress: Add '--info=progress2' to show progress.
Returns:
Rsync command with all args but without --include, --exclude,
source and destination.
"""
caps = rsyncCaps()
cmd = []
if config.nocacheOnLocal():
cmd.append('nocache')
cmd.append('rsync')
cmd.extend((
# recurse into directories
'--recursive',
# preserve modification times
'--times',
# preserve device files (super-user only)
'--devices',
# preserve special files
'--specials',
# preserve hard links
'--hard-links',
# numbers in a human-readable format
'--human-readable',
# use "new" argument protection
'-s'
))
if config.useChecksum() or config.forceUseChecksum:
cmd.append('--checksum')
if config.copyUnsafeLinks():
cmd.append('--copy-unsafe-links')
if config.copyLinks():
cmd.append('--copy-links')
else:
cmd.append('--links')
if config.oneFileSystem():
cmd.append('--one-file-system')
if config.preserveAcl() and "ACLs" in caps:
cmd.append('--acls') # preserve ACLs (implies --perms)
no_perms = False
if config.preserveXattr() and "xattrs" in caps:
cmd.append('--xattrs') # preserve extended attributes
no_perms = False
if no_perms:
cmd.extend(('--no-perms', '--no-group', '--no-owner'))
else:
cmd.extend(('--perms', # preserve permissions
'--executability', # preserve executability
'--group', # preserve group
'--owner')) # preserve owner (super-user only)
if progress and 'progress2' in caps:
cmd.extend(('--info=progress2',
'--no-inc-recursive'))
if config.bwlimitEnabled():
cmd.append('--bwlimit=%d' % config.bwlimit())
if config.rsyncOptionsEnabled():
cmd.extend(shlex.split(config.rsyncOptions()))
cmd.extend(rsyncSshArgs(config, use_mode))
return cmd
def rsyncSshArgs(config, use_mode=['ssh', 'ssh_encfs']):
"""
Get SSH args for rsync based on current profile in ``config``.
Args:
config (config.Config): Current config instance.
use_mode (list): If the profiles current mode is in this list
add additional args.
Returns:
list: List of rsync args related to SSH.
"""
cmd = []
mode = config.snapshotsMode()
if mode in ['ssh', 'ssh_encfs'] and mode in use_mode:
ssh = config.sshCommand(user_host=False,
ionice=False,
nice=False)
cmd.append('--rsh=' + ' '.join(ssh))
if config.niceOnRemote() \
or config.ioniceOnRemote() \
or config.nocacheOnRemote():
rsync_path = '--rsync-path='
if config.niceOnRemote():
rsync_path += 'nice -n 19 '
if config.ioniceOnRemote():
rsync_path += 'ionice -c2 -n7 '
if config.nocacheOnRemote():
rsync_path += 'nocache '
rsync_path += 'rsync'
cmd.append(rsync_path)
return cmd
def rsyncRemove(config, run_local=True):
"""
Get rsync command and all args for removing snapshots with rsync.
Args:
config (config.Config): current config
run_local (bool): if True and current mode is ``ssh``
or ``ssh_encfs`` this will add SSH options
Returns:
list: rsync command with all args
"""
cmd = ['rsync', '-a', '--delete', '-s']
if run_local:
cmd.extend(rsyncSshArgs(config))
return cmd
# TODO: check if we really need this
def tempFailureRetry(func, *args, **kwargs):
while True:
try:
return func(*args, **kwargs)
except (os.error, IOError) as ex:
if ex.errno == errno.EINTR:
continue
else:
raise
def md5sum(path):
"""
Calculate md5sum for file in ``path``.
Args:
path (str): full path to file
Returns:
str: md5sum of file
"""
md5 = hashlib.md5()
with open(path, 'rb') as f:
while True:
data = f.read(4096)
if not data:
break
md5.update(data)
return md5.hexdigest()
def checkCronPattern(s):
"""
Check if ``s`` is a valid cron pattern.
Examples::
0,10,13,15,17,20,23
*/6
Args:
s (str): pattern to check
Returns:
bool: ``True`` if ``s`` is a valid cron pattern
Dev note: Schedule for removal. See comment in
`config.Config.saveProfile()`.
"""
if s.find(' ') >= 0:
return False
try:
if s.startswith('*/'):
return s[2:].isdigit() and int(s[2:]) <= 24
for i in s.split(','):
if i.isdigit() and int(i) <= 24:
continue
else:
return False
return True
except ValueError:
return False
def envLoad(f):
"""
Load environ variables from file ``f`` into current environ.
Do not overwrite existing environ variables.
Args:
f (str): full path to file with environ variables
"""
env = os.environ.copy()
env_file = configfile.ConfigFile()
env_file.load(f, maxsplit = 1)
for key in env_file.keys():
value = env_file.strValue(key)
if not value:
continue
if not key in list(env.keys()):
os.environ[key] = value
del env_file
def envSave(f):
"""
Save environ variables to file that are needed by cron
to connect to keyring. This will only work if the user is logged in.
Args:
f (str): full path to file for environ variables
"""
env = os.environ.copy()
env_file = configfile.ConfigFile()
for key in ('GNOME_KEYRING_CONTROL', 'DBUS_SESSION_BUS_ADDRESS',
'DBUS_SESSION_BUS_PID', 'DBUS_SESSION_BUS_WINDOWID',
'DISPLAY', 'XAUTHORITY', 'GNOME_DESKTOP_SESSION_ID',
'KDE_FULL_SESSION'):
if key in env:
env_file.setStrValue(key, env[key])
env_file.save(f)
def keyringSupported():
"""
Checks if a keyring (supported by BiT) is available
Returns:
bool: ``True`` if a supported keyring could be loaded
"""
if not is_keyring_available:
logger.debug('No keyring due to import error.')
return False
keyring_config_file_folder = "Unknown"
try:
keyring_config_file_folder = keyring.util.platform_.config_root()
except:
pass
logger.debug(
f"Keyring config file directory: {keyring_config_file_folder}")
# Determine the currently active backend
try:
# get_keyring() internally calls keyring.core.init_backend()
# which fixes non-available backends for the first call.
# See related issue #1321:
# https://github.com/bit-team/backintime/issues/1321
# The module name is used instead of the class name
# to show only the keyring name (not the technical name)
displayName = keyring.get_keyring().__module__
except:
displayName = str(keyring.get_keyring()) # technical class name!
logger.debug("Available keyring backends:")
try:
for b in backend.get_all_keyring():
logger.debug(str(b))
except Exception as e:
logger.debug("Available backends cannot be listed: " + repr(e))
available_backends = []
# Create a list of installed backends that BiT supports (white-listed).
# This is done by trying to put the meta classes ("class definitions",
# NOT instances of the class itself!) of the supported backends
# into the "backends" list
backends_to_check = [
(keyring.backends, ['SecretService', 'Keyring']),
(keyring.backends, ['Gnome', 'Keyring']),
(keyring.backends, ['kwallet', 'Keyring']),
(keyring.backends, ['kwallet', 'DBusKeyring']),
(keyring.backend, ['SecretServiceKeyring']),
(keyring.backend, ['GnomeKeyring']),
(keyring.backend, ['KDEWallet']),
# See issue #1410: ChainerBackend is now supported to solve the
# problem of configuring the used backend since it iterates over all
# of them and is to be the default backend now. Please read the issue
# details to understand the unwanted side-effects the chainer could
# bring with it.
# See also:
# https://github.com/jaraco/keyring/blob/
# 977ed03677bb0602b91f005461ef3dddf01a49f6/keyring/backends/
# chainer.py#L11 # noqa
(keyring.backends, ('chainer', 'ChainerBackend')),
]
not_found_metaclasses = []
for backend_package, backends in backends_to_check:
result = backend_package # e.g. keyring.backends
try:
# Load the backend step-by-step.
# e.g. When the target is "keyring.backends.Gnome.Keyring" then in
# a first step "Gnome" part is loaded first and if successful the
# "keyring" part.
for b in backends:
result = getattr(result, b)
except AttributeError:
# # Debug message if backend is not available.
# logger.debug('Metaclass {}.{} not found: {}'
# .format(backend_package.__name__,
# '.'.join(backends),
# repr(err)))
not_found_metaclasses.append('{}.{}'.format(
backend_package.__name__, '.'.join(backends)))
else:
# Remember the backend class (not an instance) as available.
available_backends.append(result)
logger.debug(f'Not found Metaclasses: {not_found_metaclasses}')
logger.debug("Available supported backends: " + repr(available_backends))
if (available_backends
and isinstance(keyring.get_keyring(), tuple(available_backends))):
logger.debug("Found appropriate keyring '{}'".format(displayName))
return True
logger.debug(f"No appropriate keyring found. '{displayName}' can't be "
"used with BackInTime.")
logger.debug("See https://github.com/bit-team/backintime on how to fix "
"this by creating a keyring config file.")
return False
def password(*args):
if is_keyring_available:
return keyring.get_password(*args)
return None
def setPassword(*args):
if is_keyring_available:
return keyring.set_password(*args)
return False
def mountpoint(path):
"""
Get the mountpoint of ``path``. If your HOME is on a separate partition
mountpoint('/home/user/foo') would return '/home'.
Args:
path (str): full path
Returns:
str: mountpoint of the filesystem
"""
path = os.path.realpath(os.path.abspath(path))
while path != os.path.sep:
if os.path.ismount(path):
return path
path = os.path.abspath(os.path.join(path, os.pardir))
return path
def decodeOctalEscape(s):
"""
Decode octal-escaped characters with its ASCII dependence.
For example '\040' will be a space ' '
Args:
s (str): string with or without octal-escaped characters
Returns:
str: human readable string
"""
def repl(m):
return chr(int(m.group(1), 8))
return re.sub(r'\\(\d{3})', repl, s)
def mountArgs(path: str) -> list | None:
"""
Get all /etc/mtab args for the filesystem of ``path`` as a list.
Example::
[DEVICE, MOUNTPOINT, FILESYSTEM_TYPE, OPTIONS, DUMP, PASS]
['/dev/sda3', '/', 'ext4', 'defaults', '0', '0']
['/dev/sda1', '/boot', 'ext4', 'defaults', '0', '0']
Args:
path (str): full path
Returns:
The mount args.
"""
mp = mountpoint(path)
with open('/etc/mtab', 'r') as mounts:
for line in mounts:
args = line.strip('\n').split(' ')
if len(args) >= 2:
args[1] = decodeOctalEscape(args[1])
if args[1] == mp:
return args
return None
def device(path):
"""
Get the device for the filesystem of ``path``.
Example::
/dev/sda1
/dev/mapper/vglinux
proc
Args:
path (str): full path
Returns:
str: device
"""
args = mountArgs(path)
if args:
return args[0]
return None
def filesystem(path: str) -> str | None:
"""
Get type of filesystem for ``path``.
Args:
path: full path
Returns:
str: filesystem
"""
args = mountArgs(path)
if args and len(args) >= 3:
return args[2]
return None
def _uuidFromDev_via_filesystem(dev):
"""Get the UUID for the block device ``dev`` from ``/dev/disk/by-uuid`` in
the filesystem.
Args:
dev (pathlib.Path): The block device path (e.g. ``/dev/sda1``).
Returns:
str: The UUID or ``None`` if nothing found.
"""
# /dev/disk/by-uuid
path_DISK_BY_UUID = pathlib.Path(DISK_BY_UUID)
if not path_DISK_BY_UUID.exists():
return None
# Each known uuid
for uuid_symlink in path_DISK_BY_UUID.glob('*'):
# Resolve the symlink (get it's target) to get the real device name
# and compare it with the device we are looking for
if dev == uuid_symlink.resolve():
# e.g. 'c7aca0a7-89ed-43f0-a4f9-c744dfe673e0'
return uuid_symlink.name
# Nothing found
return None
def _uuidFromDev_via_blkid_command(dev):
"""Get the UUID for the block device ``dev`` via the extern command
``blkid``.
Hint:
On most systems the ``blkid`` command is available only for the
super-user (e.g. via ``sudo``).
Args:
dev (pathlib.Path): The block device path (e.g. ``/dev/sda1``).
Returns:
str: The UUID or ``None`` if nothing found.
"""
# Call "blkid" command
try:
# If device does not exist, blkid will exit with a non-zero code
output = subprocess.check_output(
['blkid', dev],
stderr=subprocess.DEVNULL,
universal_newlines=True)
except (subprocess.CalledProcessError, FileNotFoundError):
return None
# Parse the commands output for a UUID
try:
return re.findall(r'.*\sUUID=\"([^\"]*)\".*', output)[0]
except IndexError:
# nothing found via the regex pattern
pass
return None
def _uuidFromDev_via_udevadm_command(dev):
"""Get the UUID for the block device ``dev`` via the extern command
``udevadm``.
Args:
dev (pathlib.Path): The block device path (e.g. ``/dev/sda1``).
Returns:
str: The UUID or ``None`` if nothing found.
"""
# Call "udevadm" command
try:
output = subprocess.check_output(
['udevadm', 'info', f'--name={dev}'],
stderr=subprocess.DEVNULL,
universal_newlines=True)
except (subprocess.CalledProcessError, FileNotFoundError):
return None
# Parse the commands output for a UUID
try:
return re.findall(r'.*?ID_FS_UUID=(\S+)', output)[0]
except IndexError:
# nothing found via the regex pattern
pass
return None
def uuidFromDev(dev):
"""
Get the UUID for the block device ``dev``.
Args:
dev (str, pathlib.Path): block device path
Returns:
str: UUID
"""
# handle Path objects only
if not isinstance(dev, pathlib.Path):
dev = pathlib.Path(dev)
if dev.exists():
dev = dev.resolve() # when /dev/sda1 is a symlink
# Look at /dev/disk/by-uuid/
uuid = _uuidFromDev_via_filesystem(dev)
if uuid:
return uuid
# Try extern command "blkid"
uuid = _uuidFromDev_via_blkid_command(dev)
if uuid:
return uuid
# "dev" doesn't exist in the filesystem
# Try "udevadm" command at the end
return _uuidFromDev_via_udevadm_command(dev)
def uuidFromPath(path):
"""
Get the UUID for the for the filesystem of ``path``.
Args:
path (str): full path
Returns:
str: UUID
"""
return uuidFromDev(device(path))
re_wildcard = re.compile(r'(?:\[|\]|\?)')
re_asterisk = re.compile(r'\*')
re_separate_asterisk = re.compile(
r'(?:^\*+[^/\*]|[^/\*]\*+[^/\*]|[^/\*]\*+|\*+[^/\*]|[^/\*]\*+$)')
def patternHasNotEncryptableWildcard(pattern):
"""
Check if ``pattern`` has wildcards ``[ ] ? *``.
but return ``False`` for ``foo/*``, ``foo/*/bar``, ``*/bar`` or ``**/bar``
Args:
pattern (str): path or pattern to check
Returns:
bool: ``True`` if ``pattern`` has wildcards ``[ ] ? *`` but
``False`` if wildcard look like
``foo/*``, ``foo/*/bar``, ``*/bar`` or ``**/bar``
"""
if not re_wildcard.search(pattern) is None:
return True
if (not re_asterisk is None
and not re_separate_asterisk.search(pattern) is None):
return True
return False
def readTimeStamp(fname):
"""
Read date string from file ``fname`` and try to return datetime.
Args:
fname (str): Full path to timestamp file.
Returns:
datetime.datetime: Timestamp object.
"""
if not os.path.exists(fname):
# logger.debug(f"No timestamp file '{fname}'")
return
with open(fname, 'r') as f:
s = f.read().strip('\n')
time_formats = (
'%Y%m%d %H%M', # BIT like
'%Y%m%d', # Anacron like
)
for form in time_formats:
try:
stamp = datetime.strptime(s, form)
except ValueError:
# invalid format
# next iteration
pass
else:
# valid time stamp
# logger.debug(f"Read timestamp '{stamp}' from file '{fname}'")
return stamp
def writeTimeStamp(fname):
"""Write current date and time into file ``fname``.
Args:
fname (str): Full path to timestamp file.
"""
now = datetime.now().strftime('%Y%m%d %H%M')
# logger.debug(f"Write timestamp '{now}' into file '{fname}'")
makeDirs(os.path.dirname(fname))
with open(fname, 'w') as f:
f.write(now)
def splitCommands(cmds, head='', tail='', maxLength=0):
"""
Split a list of commands ``cmds`` into multiple commands with each length
lower than ``maxLength``.
Args:
cmds (list): commands
head (str): command that need to run first on every
iteration of ``cmds``
tail (str): command that need to run after every iteration
of ``cmds``
maxLength (int): maximum length a command could be.
Don't split if <= 0
Yields:
str: new command with length < ``maxLength``
Example::
head cmds[0] cmds[n] tail
"""
while cmds:
s = head
while (cmds and (
(len(s + cmds[0] + tail) <= maxLength) or maxLength <= 0)):
s += cmds.pop(0)
s += tail
yield s
def escapeIPv6Address(address):
"""Escape IP addresses with square brackets ``[]`` if they are IPv6.
If it is an IPv4 address or a hostname (lettersonly) nothing is changed.
Args:
address (str): IP-Address to escape if needed.
Returns:
str: The address, escaped if it is IPv6.
"""
try:
ip = ipaddress.ip_address(address)
except ValueError:
# invalid IP, e.g. a hostname
return address
if ip.version == 6:
return f'[{address}]'
return address
class Alarm:
"""Establish a callback function that is called after a timeout using
SIGALRM signal.
If no callback is specified a `exception.Timeout` will be raised instead.
The implementation uses a SIGALRM signal. Attention: Do not call code in
the callback that does not support multi-threading (reentrance) or you may
cause non-deterministic "random" RuntimeErrors (RTE).
"""
def __init__(self, callback=None, overwrite=True):
"""Create a new alarm instance.
Args:
callback (callable): Function to call when the timer ran down
(ensure calling only reentrant code). Use ``None`` to throw a
`exceptions.Timeout` exception instead.
overwrite (bool): Is it allowed to (re)start the timer even though
the current timer is still running ("ticking"). ``True``
cancels the current timer (if active) and restarts with the new
timeout. ``False`` silently ignores the start request if the
current timer is still "ticking"
"""
self.callback = callback
self.ticking = False
self.overwrite = overwrite
def start(self, timeout):
"""Start the timer (which calls the handler function
when the timer ran down).
If `self.overwrite` is ``False`` and the current timer is still ticking
the start is silently ignored.
Args:
timeout: Timer count down in seconds.
"""
if self.ticking and not self.overwrite:
return
try:
# Warning: This code may cause non-deterministic RunTimeError
# if the handler function calls code that does
# not support reentrance (see e.g. issue #1003).
signal.signal(signal.SIGALRM, self.handler)
signal.alarm(timeout)
except ValueError:
# Why???
pass
self.ticking = True
def stop(self):
"""Stop timer before it comes to an end."""
try:
signal.alarm(0)
self.ticking = False
# TODO: What to catch?
except:
pass
def handler(self, _signum, _frame):
"""This method is called after the timer ran down to zero
and calls the callback function of the alarm instance.
Raises:
`exceptions.Timeout`: If no callback function was set for the alarm
instance.
"""
self.ticking = False
if self.callback is None:
raise Timeout()
else:
self.callback()
class SetupUdev:
"""
Setup Udev rules for starting BackInTime when a drive get connected.
This is done by serviceHelper.py script (included in backintime-qt)
running as root though DBus.
"""
CONNECTION = 'net.launchpad.backintime.serviceHelper'
OBJECT = '/UdevRules'
INTERFACE = 'net.launchpad.backintime.serviceHelper.UdevRules'
MEMBERS = ('addRule', 'save', 'delete')
def __init__(self):
if dbus is None:
self.isReady = False
return
try:
bus = dbus.SystemBus()
conn = bus.get_object(SetupUdev.CONNECTION, SetupUdev.OBJECT)
self.iface = dbus.Interface(conn, SetupUdev.INTERFACE)
# Dummy message to catch org.freedesktop.DBus.Error.AccessDenied
# See #2366
self.iface.clean()
except dbus.exceptions.DBusException as e:
# Only DBusExceptions are handled to do a "graceful recovery"
# by working without a serviceHelper D-Bus connection...
# All other exceptions are still raised causing BiT
# to stop during startup.
# if e._dbus_error_name in (
# 'org.freedesktop.DBus.Error.NameHasNoOwner',
# 'org.freedesktop.DBus.Error.ServiceUnknown',
# 'org.freedesktop.DBus.Error.FileNotFound'):
logger.warning('Failed to connect to Udev serviceHelper daemon '
'via D-Bus: ' + e.get_dbus_name())
logger.warning('D-Bus message: ' + e.get_dbus_message())
logger.warning('Udev-based profiles cannot be changed or checked '
'due to Udev serviceHelper connection failure')
conn = None
# else:
# raise
self.isReady = bool(conn)
def addRule(self, cmd, uuid):
"""Prepare rules in serviceHelper.py
"""
if not self.isReady:
return
try:
return self.iface.addRule(cmd, uuid)
except dbus.exceptions.DBusException as exc:
err_prefix = 'net.launchpad.backintime.'
if exc._dbus_error_name == f'{err_prefix}InvalidChar':
raise InvalidChar(str(exc)) from exc
elif exc._dbus_error_name == f'{err_prefix}InvalidCmd':
raise InvalidCmd(str(exc)) from exc
elif exc._dbus_error_name == f'{err_prefix}LimitExceeded':
raise LimitExceeded(str(exc)) from exc
else:
raise
def save(self):
"""Save rules with serviceHelper.py after authentication.
If no rules where added before this will delete current rule.
"""
if not self.isReady:
return
try:
return self.iface.save()
except dbus.exceptions.DBusException as err:
if (err._dbus_error_name
== 'com.ubuntu.DeviceDriver.PermissionDeniedByPolicy'):
raise PermissionDeniedByPolicy(str(err)) from err
raise err
def clean(self):
"""Clean up remote cache.
"""
if not self.isReady:
return
self.iface.clean()
class PathHistory:
def __init__(self, path):
self.history = [path,]
self.index = 0
def append(self, path):
# append path after the current index
self.history = self.history[:self.index + 1] + [path,]
self.index = len(self.history) - 1
def previous(self):
if self.index == 0:
return self.history[0]
try:
path = self.history[self.index - 1]
except IndexError:
return self.history[self.index]
self.index -= 1
return path
def next(self):
if self.index == len(self.history) - 1:
return self.history[-1]
try:
path = self.history[self.index + 1]
except IndexError:
return self.history[self.index]
self.index += 1
return path
def reset(self, path):
self.history = [path,]
self.index = 0
class Execute:
"""Execute external commands and handle its output.
Args:
cmd (list): Command with arguments that should be called.
The command will be called by :py:class:`subprocess.Popen`.
callback (method): Function which will handle output returned by
command (e.g. to extract errors).
user_data: Extra arguments which will be forwarded to ``callback``
function (e.g. a ``tuple`` - which is passed by reference in
Python - to "return" results of the callback function as side
effect).
filters (tuple): Tuple of functions used to filter messages before
sending them to the ``callback`` function.
parent (instance): Instance of the calling method used only to proper
format log messages.
conv_str (bool): Convert output to :py:class:`str` if ``True`` or keep
it as :py:class:`bytes` if ``False``.
join_stderr (bool): Join ``stderr`` to ``stdout``.
Note:
Signals ``SIGTSTP`` ("keyboard stop") and ``SIGCONT`` send to Python
main process will be forwarded to the command. ``SIGHUP`` will kill
the process.
"""
def __init__(self,
cmd,
callback=None,
user_data=None,
filters=(),
parent=None,
conv_str=True,
join_stderr=True):
self.cmd = cmd
self.callback = callback
self.user_data = user_data
self.filters = filters
self.currentProc = None
self.conv_str = conv_str
self.join_stderr = join_stderr
# Need to forward parent to have the correct class name in debug log.
self.parent = parent if parent else self
# Dev note (buhtz, 2024-07): Previous version was calling os.system()
# if cmd was a string instead of a list of strings. This is not secure
# and to my knowledge and research also not used anymore in BIT.
# It is my assumption that the RuntimeError will never be raised. But
# let's keep it for some versions to be sure.
if not isinstance(self.cmd, list):
raise RuntimeError(
'Command is a string but should be a list of strings. This '
'method is not supported anymore since version 1.5.0. The '
'current situation is unexpected. Please open a bug report '
'at https://github.com/bit-team/backintime/issues/new/choose '
'or report to the projects mailing list '
'<bit-dev-join@python.org>.')
self.pausable = True
self.printable_cmd = ' '.join(self.cmd)
# logger.debug(f'Call command "{self.printable_cmd}"', self.parent, 2)
def run(self):
"""Run the command using ``subprocess.Popen``.
Returns:
int: Code from the command.
"""
ret_val = 0
out = ''
try:
# register signals for pause, resume and kill
# Forward these signals (sent to the "backintime" process
# normally) to the child process ("rsync" normally).
# Note: SIGSTOP (unblockable stop) cannot be forwarded because
# it cannot be caught in a signal handler!
signal.signal(signal.SIGTSTP, self.pause)
signal.signal(signal.SIGCONT, self.resume)
signal.signal(signal.SIGHUP, self.kill)
except ValueError:
# signal only work in qt main thread
# TODO What does this imply?
pass
stderr = subprocess.STDOUT if self.join_stderr else subprocess.DEVNULL
logger.debug(
f'Starting command: "{self.printable_cmd}"')
self.currentProc = subprocess.Popen(
self.cmd, stdout=subprocess.PIPE, stderr=stderr)
# # TEST code for developers to simulate a killed rsync process
# if self.printable_cmd.startswith("rsync --recursive"):
# # signal 15 (SIGTERM) like "killall" and "kill" do by default
# self.currentProc.terminate()
# # self.currentProc.send_signal(signal.SIGHUP) # signal 1
# # self.currentProc.kill() # signal 9
# logger.error("rsync killed for testing purposes during "
# "development")
if self.callback:
for line in self.currentProc.stdout:
if self.conv_str:
line = line.decode().rstrip('\n')
else:
line = line.rstrip(b'\n')
for f in self.filters:
line = f(line)
if not line:
continue
self.callback(line, self.user_data)
# We use communicate() instead of wait() to avoid a deadlock
# when stdout=PIPE and/or stderr=PIPE and the child process
# generates enough output to pipe that it blocks waiting for
# free buffer. See also:
# https://docs.python.org/3.10/library/
# subprocess.html#subprocess.Popen.wait
out = self.currentProc.communicate()[0]
# TODO Why is "out" empty instead of containing all stdout?
# Most probably because Popen was called with a PIPE as stdout
# to directly process each stdout line by calling the callback...
ret_val = self.currentProc.returncode
# TODO ret_val is sometimes 0 instead of e.g. 23 for rsync. Why?
try:
# reset signal handler to their default
signal.signal(signal.SIGTSTP, signal.SIG_DFL)
signal.signal(signal.SIGCONT, signal.SIG_DFL)
signal.signal(signal.SIGHUP, signal.SIG_DFL)
except ValueError:
# signal only work in qt main thread
# TODO What does this imply?
pass
if ret_val == 0:
msg = f'Command "{self.printable_cmd[:16]}" returned {ret_val}'
if out:
msg += ': ' + out.decode().strip('\n')
logger.debug(msg, self.parent, 2)
else:
msg = f'Command "{self.printable_cmd}" ' \
f'returned {bcolors.WARNING}{ret_val}{bcolors.ENDC}'
if out:
msg += ' | ' + out.decode().strip('\n')
logger.warning(msg, self.parent, 2)
return ret_val
def pause(self, _signum, _frame):
"""Slot which will send ``SIGSTOP`` to the command. Is connected to
signal ``SIGTSTP``.
"""
if self.pausable and self.currentProc:
logger.info(
f'Pause process "{self.printable_cmd}"', self.parent, 2)
return self.currentProc.send_signal(signal.SIGSTOP)
def resume(self, _signum, _frame):
"""Slot which will send ``SIGCONT`` to the command. Is connected to
signal ``SIGCONT``.
"""
if self.pausable and self.currentProc:
logger.info(
f'Resume process "{self.printable_cmd}"', self.parent, 2)
return self.currentProc.send_signal(signal.SIGCONT)
def kill(self, _signum, _frame):
"""Slot which will kill the command. Is connected to signal ``SIGHUP``.
"""
if self.pausable and self.currentProc:
logger.info(f'Kill process "{self.printable_cmd}"', self.parent, 2)
return self.currentProc.kill()
|