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
|
import os
import signal
import struct
import sys
import termios
import threading
import types
from io import BytesIO
from itertools import chain, repeat
from six import StringIO, b, PY2, iteritems
from pytest import raises, skip
from pytest_relaxed import trap
from mock import patch, Mock, call
from invoke import (
CommandTimedOut,
Config,
Context,
Failure,
Local,
Promise,
Responder,
Result,
Runner,
StreamWatcher,
SubprocessPipeError,
ThreadException,
UnexpectedExit,
WatcherError,
)
from invoke.runners import default_encoding
from invoke.terminals import WINDOWS
from _util import (
mock_subprocess,
mock_pty,
skip_if_windows,
_Dummy,
_KeyboardInterruptingRunner,
OhNoz,
_,
)
class _RaisingWatcher(StreamWatcher):
def submit(self, stream):
raise WatcherError("meh")
class _GenericException(Exception):
pass
class _GenericExceptingRunner(_Dummy):
def wait(self):
raise _GenericException
def _run(*args, **kwargs):
klass = kwargs.pop("klass", _Dummy)
settings = kwargs.pop("settings", {})
context = Context(config=Config(overrides=settings))
return klass(context).run(*args, **kwargs)
def _runner(out="", err="", **kwargs):
klass = kwargs.pop("klass", _Dummy)
runner = klass(Context(config=Config(overrides=kwargs)))
if "exits" in kwargs:
runner.returncode = Mock(return_value=kwargs.pop("exits"))
out_file = BytesIO(b(out))
err_file = BytesIO(b(err))
runner.read_proc_stdout = out_file.read
runner.read_proc_stderr = err_file.read
return runner
def _expect_platform_shell(shell):
if WINDOWS:
assert shell.endswith("cmd.exe")
else:
assert shell == "/bin/bash"
def make_tcattrs(cc_is_ints=True, echo=False):
# Set up the control character sub-array; it's technically platform
# dependent so we need to be dynamic.
# NOTE: setting this up so we can test both potential values for
# the 'cc' members...docs say ints, reality says one-byte
# bytestrings...
cc_base = [None] * (max(termios.VMIN, termios.VTIME) + 1)
cc_ints, cc_bytes = cc_base[:], cc_base[:]
cc_ints[termios.VMIN], cc_ints[termios.VTIME] = 1, 0
cc_bytes[termios.VMIN], cc_bytes[termios.VTIME] = b"\x01", b"\x00"
# Set tcgetattr to look like it's already cbroken...
attrs = [
# iflag, oflag, cflag - don't care
None,
None,
None,
# lflag needs to have ECHO and ICANON unset
~(termios.ECHO | termios.ICANON),
# ispeed, ospeed - don't care
None,
None,
# cc - care about its VMIN and VTIME members.
cc_ints if cc_is_ints else cc_bytes,
]
# Undo the ECHO unset if caller wants this to look like a non-cbroken term
if echo:
attrs[3] = attrs[3] | termios.ECHO
return attrs
class _TimingOutRunner(_Dummy):
@property
def timed_out(self):
return True
class Runner_:
_stop_methods = ["generate_result", "stop", "stop_timer"]
# NOTE: these copies of _run and _runner form the base case of "test Runner
# subclasses via self._run/_runner helpers" functionality. See how e.g.
# Local_ uses the same approach but bakes in the dummy class used.
def _run(self, *args, **kwargs):
return _run(*args, **kwargs)
def _runner(self, *args, **kwargs):
return _runner(*args, **kwargs)
def _mock_stdin_writer(self):
"""
Return new _Dummy subclass whose write_proc_stdin() method is a mock.
"""
class MockedStdin(_Dummy):
pass
MockedStdin.write_proc_stdin = Mock()
return MockedStdin
class init:
"__init__"
def takes_a_context_instance(self):
c = Context()
assert Runner(c).context == c
def context_instance_is_required(self):
with raises(TypeError):
Runner()
class run:
def handles_invalid_kwargs_like_any_other_function(self):
try:
self._run(_, nope_noway_nohow="as if")
except TypeError as e:
assert "got an unexpected keyword argument" in str(e)
else:
assert False, "Invalid run() kwarg didn't raise TypeError"
class warn:
def honors_config(self):
runner = self._runner(run={"warn": True}, exits=1)
# Doesn't raise Failure -> all good
runner.run(_)
def kwarg_beats_config(self):
runner = self._runner(run={"warn": False}, exits=1)
# Doesn't raise Failure -> all good
runner.run(_, warn=True)
def does_not_apply_to_watcher_errors(self):
runner = self._runner(out="stuff")
try:
watcher = _RaisingWatcher()
runner.run(_, watchers=[watcher], warn=True, hide=True)
except Failure as e:
assert isinstance(e.reason, WatcherError)
else:
assert False, "Did not raise Failure for WatcherError!"
def does_not_apply_to_timeout_errors(self):
with raises(CommandTimedOut):
self._runner(klass=_TimingOutRunner).run(
_, timeout=1, warn=True
)
class hide:
@trap
def honors_config(self):
runner = self._runner(out="stuff", run={"hide": True})
r = runner.run(_)
assert r.stdout == "stuff"
assert sys.stdout.getvalue() == ""
@trap
def kwarg_beats_config(self):
runner = self._runner(out="stuff")
r = runner.run(_, hide=True)
assert r.stdout == "stuff"
assert sys.stdout.getvalue() == ""
class pty:
def pty_defaults_to_off(self):
assert self._run(_).pty is False
def honors_config(self):
runner = self._runner(run={"pty": True})
assert runner.run(_).pty is True
def kwarg_beats_config(self):
runner = self._runner(run={"pty": False})
assert runner.run(_, pty=True).pty is True
class shell:
def defaults_to_bash_or_cmdexe_when_pty_True(self):
_expect_platform_shell(self._run(_, pty=True).shell)
def defaults_to_bash_or_cmdexe_when_pty_False(self):
_expect_platform_shell(self._run(_, pty=False).shell)
def may_be_overridden(self):
assert self._run(_, shell="/bin/zsh").shell == "/bin/zsh"
def may_be_configured(self):
runner = self._runner(run={"shell": "/bin/tcsh"})
assert runner.run(_).shell == "/bin/tcsh"
def kwarg_beats_config(self):
runner = self._runner(run={"shell": "/bin/tcsh"})
assert runner.run(_, shell="/bin/zsh").shell == "/bin/zsh"
class env:
def defaults_to_os_environ(self):
assert self._run(_).env == os.environ
def updates_when_dict_given(self):
expected = dict(os.environ, FOO="BAR")
assert self._run(_, env={"FOO": "BAR"}).env == expected
def replaces_when_replace_env_True(self):
env = self._run(_, env={"JUST": "ME"}, replace_env=True).env
assert env == {"JUST": "ME"}
def config_can_be_used(self):
env = self._run(_, settings={"run": {"env": {"FOO": "BAR"}}}).env
assert env == dict(os.environ, FOO="BAR")
def kwarg_wins_over_config(self):
settings = {"run": {"env": {"FOO": "BAR"}}}
kwarg = {"FOO": "NOTBAR"}
foo = self._run(_, settings=settings, env=kwarg).env["FOO"]
assert foo == "NOTBAR"
class return_value:
def return_code(self):
"""
Result has .return_code (and .exited) containing exit code int
"""
runner = self._runner(exits=17)
r = runner.run(_, warn=True)
assert r.return_code == 17
assert r.exited == 17
def ok_attr_indicates_success(self):
runner = self._runner()
assert runner.run(_).ok is True # default dummy retval is 0
def ok_attr_indicates_failure(self):
runner = self._runner(exits=1)
assert runner.run(_, warn=True).ok is False
def failed_attr_indicates_success(self):
runner = self._runner()
assert runner.run(_).failed is False # default dummy retval is 0
def failed_attr_indicates_failure(self):
runner = self._runner(exits=1)
assert runner.run(_, warn=True).failed is True
@trap
def stdout_attribute_contains_stdout(self):
runner = self._runner(out="foo")
assert runner.run(_).stdout == "foo"
assert sys.stdout.getvalue() == "foo"
@trap
def stderr_attribute_contains_stderr(self):
runner = self._runner(err="foo")
assert runner.run(_).stderr == "foo"
assert sys.stderr.getvalue() == "foo"
def whether_pty_was_used(self):
assert self._run(_).pty is False
assert self._run(_, pty=True).pty is True
def command_executed(self):
assert self._run(_).command == _
def shell_used(self):
_expect_platform_shell(self._run(_).shell)
def hide_param_exposed_and_normalized(self):
assert self._run(_, hide=True).hide, "stdout" == "stderr"
assert self._run(_, hide=False).hide == tuple()
assert self._run(_, hide="stderr").hide == ("stderr",)
class command_echoing:
@trap
def off_by_default(self):
self._run("my command")
assert sys.stdout.getvalue() == ""
@trap
def enabled_via_kwarg(self):
self._run("my command", echo=True)
assert "my command" in sys.stdout.getvalue()
@trap
def enabled_via_config(self):
self._run("yup", settings={"run": {"echo": True}})
assert "yup" in sys.stdout.getvalue()
@trap
def kwarg_beats_config(self):
self._run("yup", echo=True, settings={"run": {"echo": False}})
assert "yup" in sys.stdout.getvalue()
@trap
def uses_ansi_bold(self):
self._run("my command", echo=True)
# TODO: vendor & use a color module
assert sys.stdout.getvalue() == "\x1b[1;37mmy command\x1b[0m\n"
class dry_running:
@trap
def sets_echo_to_True(self):
self._run("what up", settings={"run": {"dry": True}})
assert "what up" in sys.stdout.getvalue()
@trap
def short_circuits_with_dummy_result(self):
runner = self._runner(run={"dry": True})
# Using the call to self.start() in _run_body() as a sentinel for
# all the work beyond it.
runner.start = Mock()
result = runner.run(_)
assert not runner.start.called
assert isinstance(result, Result)
assert result.command == _
assert result.stdout == ""
assert result.stderr == ""
assert result.exited == 0
assert result.pty is False
class encoding:
# NOTE: these tests just check what Runner.encoding ends up as; it's
# difficult/impossible to mock string objects themselves to see what
# .decode() is being given :(
#
# TODO: consider using truly "nonstandard"-encoded byte sequences as
# fixtures, encoded with something that isn't compatible with UTF-8
# (UTF-7 kinda is, so...) so we can assert that the decoded string is
# equal to its Unicode equivalent.
#
# Use UTF-7 as a valid encoding unlikely to be a real default derived
# from test-runner's locale.getpreferredencoding()
def defaults_to_encoding_method_result(self):
# Setup
runner = self._runner()
encoding = "UTF-7"
runner.default_encoding = Mock(return_value=encoding)
# Execution & assertion
runner.run(_)
runner.default_encoding.assert_called_with()
assert runner.encoding == "UTF-7"
def honors_config(self):
c = Context(Config(overrides={"run": {"encoding": "UTF-7"}}))
runner = _Dummy(c)
runner.default_encoding = Mock(return_value="UTF-not-7")
runner.run(_)
assert runner.encoding == "UTF-7"
def honors_kwarg(self):
skip()
def uses_locale_module_for_default_encoding(self):
# Actually testing this highly OS/env specific stuff is very
# error-prone; so we degrade to just testing expected function
# calls for now :(
with patch("invoke.runners.locale") as fake_locale:
fake_locale.getdefaultlocale.return_value = ("meh", "UHF-8")
fake_locale.getpreferredencoding.return_value = "FALLBACK"
expected = "UHF-8" if (PY2 and not WINDOWS) else "FALLBACK"
assert self._runner().default_encoding() == expected
def falls_back_to_defaultlocale_when_preferredencoding_is_None(self):
if PY2:
skip()
with patch("invoke.runners.locale") as fake_locale:
fake_locale.getdefaultlocale.return_value = (None, None)
fake_locale.getpreferredencoding.return_value = "FALLBACK"
assert self._runner().default_encoding() == "FALLBACK"
class output_hiding:
@trap
def _expect_hidden(self, hide, expect_out="", expect_err=""):
self._runner(out="foo", err="bar").run(_, hide=hide)
assert sys.stdout.getvalue() == expect_out
assert sys.stderr.getvalue() == expect_err
def both_hides_everything(self):
self._expect_hidden("both")
def True_hides_everything(self):
self._expect_hidden(True)
def out_only_hides_stdout(self):
self._expect_hidden("out", expect_out="", expect_err="bar")
def err_only_hides_stderr(self):
self._expect_hidden("err", expect_out="foo", expect_err="")
def accepts_stdout_alias_for_out(self):
self._expect_hidden("stdout", expect_out="", expect_err="bar")
def accepts_stderr_alias_for_err(self):
self._expect_hidden("stderr", expect_out="foo", expect_err="")
def None_hides_nothing(self):
self._expect_hidden(None, expect_out="foo", expect_err="bar")
def False_hides_nothing(self):
self._expect_hidden(False, expect_out="foo", expect_err="bar")
def unknown_vals_raises_ValueError(self):
with raises(ValueError):
self._run(_, hide="wat?")
def unknown_vals_mention_value_given_in_error(self):
value = "penguinmints"
try:
self._run(_, hide=value)
except ValueError as e:
msg = "Error from run(hide=xxx) did not tell user what the bad value was!" # noqa
msg += "\nException msg: {}".format(e)
assert value in str(e), msg
else:
assert (
False
), "run() did not raise ValueError for bad hide= value" # noqa
def does_not_affect_capturing(self):
assert self._runner(out="foo").run(_, hide=True).stdout == "foo"
@trap
def overrides_echoing(self):
self._runner().run("invisible", hide=True, echo=True)
assert "invisible" not in sys.stdout.getvalue()
class output_stream_overrides:
@trap
def out_defaults_to_sys_stdout(self):
"out_stream defaults to sys.stdout"
self._runner(out="sup").run(_)
assert sys.stdout.getvalue() == "sup"
@trap
def err_defaults_to_sys_stderr(self):
"err_stream defaults to sys.stderr"
self._runner(err="sup").run(_)
assert sys.stderr.getvalue() == "sup"
@trap
def out_can_be_overridden(self):
"out_stream can be overridden"
out = StringIO()
self._runner(out="sup").run(_, out_stream=out)
assert out.getvalue() == "sup"
assert sys.stdout.getvalue() == ""
@trap
def overridden_out_is_never_hidden(self):
out = StringIO()
self._runner(out="sup").run(_, out_stream=out, hide=True)
assert out.getvalue() == "sup"
assert sys.stdout.getvalue() == ""
@trap
def err_can_be_overridden(self):
"err_stream can be overridden"
err = StringIO()
self._runner(err="sup").run(_, err_stream=err)
assert err.getvalue() == "sup"
assert sys.stderr.getvalue() == ""
@trap
def overridden_err_is_never_hidden(self):
err = StringIO()
self._runner(err="sup").run(_, err_stream=err, hide=True)
assert err.getvalue() == "sup"
assert sys.stderr.getvalue() == ""
@trap
def pty_defaults_to_sys(self):
self._runner(out="sup").run(_, pty=True)
assert sys.stdout.getvalue() == "sup"
@trap
def pty_out_can_be_overridden(self):
out = StringIO()
self._runner(out="yo").run(_, pty=True, out_stream=out)
assert out.getvalue() == "yo"
assert sys.stdout.getvalue() == ""
class output_stream_handling:
# Mostly corner cases, generic behavior's covered above
def writes_and_flushes_to_stdout(self):
out = Mock(spec=StringIO)
self._runner(out="meh").run(_, out_stream=out)
out.write.assert_called_once_with("meh")
out.flush.assert_called_once_with()
def writes_and_flushes_to_stderr(self):
err = Mock(spec=StringIO)
self._runner(err="whatever").run(_, err_stream=err)
err.write.assert_called_once_with("whatever")
err.flush.assert_called_once_with()
class input_stream_handling:
# NOTE: actual autoresponder tests are elsewhere. These just test that
# stdin works normally & can be overridden.
@patch("invoke.runners.sys.stdin", StringIO("Text!"))
def defaults_to_sys_stdin(self):
# Execute w/ runner class that has a mocked stdin_writer
klass = self._mock_stdin_writer()
self._runner(klass=klass).run(_, out_stream=StringIO())
# Check that mocked writer was called w/ the data from our patched
# sys.stdin.
# NOTE: this also tests that non-fileno-bearing streams read/write
# 1 byte at a time. See farther-down test for fileno-bearing stdin
calls = list(map(lambda x: call(x), "Text!"))
klass.write_proc_stdin.assert_has_calls(calls, any_order=False)
def can_be_overridden(self):
klass = self._mock_stdin_writer()
in_stream = StringIO("Hey, listen!")
self._runner(klass=klass).run(
_, in_stream=in_stream, out_stream=StringIO()
)
# stdin mirroring occurs char-by-char
calls = list(map(lambda x: call(x), "Hey, listen!"))
klass.write_proc_stdin.assert_has_calls(calls, any_order=False)
def can_be_disabled_entirely(self):
# Mock handle_stdin so we can assert it's not even called
class MockedHandleStdin(_Dummy):
pass
MockedHandleStdin.handle_stdin = Mock()
self._runner(klass=MockedHandleStdin).run(
_, in_stream=False # vs None or a stream
)
assert not MockedHandleStdin.handle_stdin.called
@patch("invoke.util.debug")
def exceptions_get_logged(self, mock_debug):
# Make write_proc_stdin asplode
klass = self._mock_stdin_writer()
klass.write_proc_stdin.side_effect = OhNoz("oh god why")
# Execute with some stdin to trigger that asplode (but skip the
# actual bubbled-up raising of it so we can check things out)
try:
stdin = StringIO("non-empty")
self._runner(klass=klass).run(_, in_stream=stdin)
except ThreadException:
pass
# Assert debug() was called w/ expected format
# TODO: make the debug call a method on ExceptionHandlingThread,
# then make thread class configurable somewhere in Runner, and pass
# in a customized ExceptionHandlingThread that has a Mock for that
# method?
# NOTE: splitting into a few asserts to work around python 3.7
# change re: trailing comma, which kills ability to just statically
# assert the entire string. Sigh. Also I'm too lazy to regex.
msg = mock_debug.call_args[0][0]
assert "Encountered exception OhNoz" in msg
assert "'oh god why'" in msg
assert "in thread for 'handle_stdin'" in msg
def EOF_triggers_closing_of_proc_stdin(self):
class Fake(_Dummy):
pass
Fake.close_proc_stdin = Mock()
self._runner(klass=Fake).run(_, in_stream=StringIO("what?"))
Fake.close_proc_stdin.assert_called_once_with()
def EOF_does_not_close_proc_stdin_when_pty_True(self):
class Fake(_Dummy):
pass
Fake.close_proc_stdin = Mock()
self._runner(klass=Fake).run(
_, in_stream=StringIO("what?"), pty=True
)
assert not Fake.close_proc_stdin.called
class failure_handling:
def fast_failures(self):
with raises(UnexpectedExit):
self._runner(exits=1).run(_)
def non_1_return_codes_still_act_as_failure(self):
r = self._runner(exits=17).run(_, warn=True)
assert r.failed is True
class UnexpectedExit_repr:
def similar_to_just_the_result_repr(self):
try:
self._runner(exits=23).run(_)
except UnexpectedExit as e:
expected = "<UnexpectedExit: cmd='{}' exited=23>"
assert repr(e) == expected.format(_)
class UnexpectedExit_str:
def setup(self):
def lines(prefix):
prefixed = "\n".join(
"{} {}".format(prefix, x) for x in range(1, 26)
)
return prefixed + "\n"
self._stdout = lines("stdout")
self._stderr = lines("stderr")
@trap
def displays_command_and_exit_code_by_default(self):
try:
self._runner(
exits=23, out=self._stdout, err=self._stderr
).run(_)
except UnexpectedExit as e:
expected = """Encountered a bad command exit code!
Command: '{}'
Exit code: 23
Stdout: already printed
Stderr: already printed
"""
assert str(e) == expected.format(_)
else:
assert False, "Failed to raise UnexpectedExit!"
@trap
def does_not_display_stderr_when_pty_True(self):
try:
self._runner(
exits=13, out=self._stdout, err=self._stderr
).run(_, pty=True)
except UnexpectedExit as e:
expected = """Encountered a bad command exit code!
Command: '{}'
Exit code: 13
Stdout: already printed
Stderr: n/a (PTYs have no stderr)
"""
assert str(e) == expected.format(_)
@trap
def pty_stderr_message_wins_over_hidden_stderr(self):
try:
self._runner(
exits=1, out=self._stdout, err=self._stderr
).run(_, pty=True, hide=True)
except UnexpectedExit as e:
r = str(e)
assert "Stderr: n/a (PTYs have no stderr)" in r
assert "Stderr: already printed" not in r
@trap
def explicit_hidden_stream_tail_display(self):
# All the permutations of what's displayed when, are in
# subsequent test, which does 'x in y' assertions; this one
# here ensures the actual format of the display (newlines, etc)
# is as desired.
try:
self._runner(
exits=77, out=self._stdout, err=self._stderr
).run(_, hide=True)
except UnexpectedExit as e:
expected = """Encountered a bad command exit code!
Command: '{}'
Exit code: 77
Stdout:
stdout 16
stdout 17
stdout 18
stdout 19
stdout 20
stdout 21
stdout 22
stdout 23
stdout 24
stdout 25
Stderr:
stderr 16
stderr 17
stderr 18
stderr 19
stderr 20
stderr 21
stderr 22
stderr 23
stderr 24
stderr 25
"""
assert str(e) == expected.format(_)
@trap
def displays_tails_of_streams_only_when_hidden(self):
def oops(msg, r, hide):
return "{}! hide={}; str output:\n\n{}".format(
msg, hide, r
)
for hide, expect_out, expect_err in (
(False, False, False),
(True, True, True),
("stdout", True, False),
("stderr", False, True),
("both", True, True),
):
try:
self._runner(
exits=1, out=self._stdout, err=self._stderr
).run(_, hide=hide)
except UnexpectedExit as e:
r = str(e)
# Expect that the top of output is never displayed
err = oops("Too much stdout found", r, hide)
assert "stdout 15" not in r, err
err = oops("Too much stderr found", r, hide)
assert "stderr 15" not in r, err
# Expect to see tail of stdout if we expected it
if expect_out:
err = oops("Didn't see stdout", r, hide)
assert "stdout 16" in r, err
# Expect to see tail of stderr if we expected it
if expect_err:
err = oops("Didn't see stderr", r, hide)
assert "stderr 16" in r, err
else:
assert False, "Failed to raise UnexpectedExit!"
def _regular_error(self):
self._runner(exits=1).run(_)
def _watcher_error(self):
klass = self._mock_stdin_writer()
# Exited=None because real procs will have no useful .returncode()
# result if they're aborted partway via an exception.
runner = self._runner(klass=klass, out="stuff", exits=None)
runner.run(_, watchers=[_RaisingWatcher()], hide=True)
# TODO: may eventually turn into having Runner raise distinct Failure
# subclasses itself, at which point `reason` would probably go away.
class reason:
def is_None_for_regular_nonzero_exits(self):
try:
self._regular_error()
except Failure as e:
assert e.reason is None
else:
assert False, "Failed to raise Failure!"
def is_None_for_custom_command_exits(self):
# TODO: when we implement 'exitcodes 1 and 2 are actually OK'
skip()
def is_exception_when_WatcherError_raised_internally(self):
try:
self._watcher_error()
except Failure as e:
assert isinstance(e.reason, WatcherError)
else:
assert False, "Failed to raise Failure!"
# TODO: should these move elsewhere, eg to Result specific test file?
# TODO: *is* there a nice way to split into multiple Response and/or
# Failure subclasses? Given the split between "returned as a value when
# no problem" and "raised as/attached to an exception when problem",
# possibly not - complicates how the APIs need to be adhered to.
class wrapped_result:
def most_attrs_are_always_present(self):
attrs = ("command", "shell", "env", "stdout", "stderr", "pty")
for method in (self._regular_error, self._watcher_error):
try:
method()
except Failure as e:
for attr in attrs:
assert getattr(e.result, attr) is not None
else:
assert False, "Did not raise Failure!"
class shell_exit_failure:
def exited_is_integer(self):
try:
self._regular_error()
except Failure as e:
assert isinstance(e.result.exited, int)
else:
assert False, "Did not raise Failure!"
def ok_bool_etc_are_falsey(self):
try:
self._regular_error()
except Failure as e:
assert e.result.ok is False
assert e.result.failed is True
assert not bool(e.result)
assert not e.result
else:
assert False, "Did not raise Failure!"
def stringrep_notes_exit_status(self):
try:
self._regular_error()
except Failure as e:
assert "exited with status 1" in str(e.result)
else:
assert False, "Did not raise Failure!"
class watcher_failure:
def exited_is_None(self):
try:
self._watcher_error()
except Failure as e:
exited = e.result.exited
err = "Expected None, got {!r}".format(exited)
assert exited is None, err
def ok_and_bool_still_are_falsey(self):
try:
self._watcher_error()
except Failure as e:
assert e.result.ok is False
assert e.result.failed is True
assert not bool(e.result)
assert not e.result
else:
assert False, "Did not raise Failure!"
def stringrep_lacks_exit_status(self):
try:
self._watcher_error()
except Failure as e:
assert "exited with status" not in str(e.result)
expected = "not fully executed due to watcher error"
assert expected in str(e.result)
else:
assert False, "Did not raise Failure!"
class threading:
# NOTE: see also the more generic tests in concurrency.py
def errors_within_io_thread_body_bubble_up(self):
class Oops(_Dummy):
def handle_stdout(self, **kwargs):
raise OhNoz()
def handle_stderr(self, **kwargs):
raise OhNoz()
runner = Oops(Context())
try:
runner.run("nah")
except ThreadException as e:
# Expect two separate OhNoz objects on 'e'
assert len(e.exceptions) == 2
for tup in e.exceptions:
assert isinstance(tup.value, OhNoz)
assert isinstance(tup.traceback, types.TracebackType)
assert tup.type == OhNoz
# TODO: test the arguments part of the tuple too. It's pretty
# implementation-specific, though, so possibly not worthwhile.
else:
assert False, "Did not raise ThreadException as expected!"
def io_thread_errors_str_has_details(self):
class Oops(_Dummy):
def handle_stdout(self, **kwargs):
raise OhNoz()
runner = Oops(Context())
try:
runner.run("nah")
except ThreadException as e:
message = str(e)
# Just make sure salient bits appear present, vs e.g. default
# representation happening instead.
assert "Saw 1 exceptions within threads" in message
assert "{'kwargs': " in message
assert "Traceback (most recent call last):\n\n" in message
assert "OhNoz" in message
else:
assert False, "Did not raise ThreadException as expected!"
class watchers:
# NOTE: it's initially tempting to consider using mocks or stub
# Responder instances for many of these, but it really doesn't save
# appreciable runtime or code read/write time.
# NOTE: these strictly test interactions between
# StreamWatcher/Responder and their host Runner; Responder-only tests
# are in tests/watchers.py.
def nothing_is_written_to_stdin_by_default(self):
# NOTE: technically if some goofus ran the tests by hand and mashed
# keys while doing so...this would fail. LOL?
# NOTE: this test seems not too useful but is a) a sanity test and
# b) guards against e.g. breaking the autoresponder such that it
# responds to "" or "\n" or etc.
klass = self._mock_stdin_writer()
self._runner(klass=klass).run(_)
assert not klass.write_proc_stdin.called
def _expect_response(self, **kwargs):
"""
Execute a run() w/ ``watchers`` set from ``responses``.
Any other ``**kwargs`` given are passed direct to ``_runner()``.
:returns: The mocked ``write_proc_stdin`` method of the runner.
"""
watchers = [
Responder(pattern=key, response=value)
for key, value in iteritems(kwargs.pop("responses"))
]
kwargs["klass"] = klass = self._mock_stdin_writer()
runner = self._runner(**kwargs)
runner.run(_, watchers=watchers, hide=True)
return klass.write_proc_stdin
def watchers_responses_get_written_to_proc_stdin(self):
self._expect_response(
out="the house was empty", responses={"empty": "handed"}
).assert_called_once_with("handed")
def multiple_hits_yields_multiple_responses(self):
holla = call("how high?")
self._expect_response(
out="jump, wait, jump, wait", responses={"jump": "how high?"}
).assert_has_calls([holla, holla])
def chunk_sizes_smaller_than_patterns_still_work_ok(self):
klass = self._mock_stdin_writer()
klass.read_chunk_size = 1 # < len('jump')
responder = Responder("jump", "how high?")
runner = self._runner(klass=klass, out="jump, wait, jump, wait")
runner.run(_, watchers=[responder], hide=True)
holla = call("how high?")
# Responses happened, period.
klass.write_proc_stdin.assert_has_calls([holla, holla])
# And there weren't duplicates!
assert len(klass.write_proc_stdin.call_args_list) == 2
def both_out_and_err_are_scanned(self):
bye = call("goodbye")
# Would only be one 'bye' if only scanning stdout
self._expect_response(
out="hello my name is inigo",
err="hello how are you",
responses={"hello": "goodbye"},
).assert_has_calls([bye, bye])
def multiple_patterns_works_as_expected(self):
calls = [call("betty"), call("carnival")]
# Technically, I'd expect 'betty' to get called before 'carnival',
# but under Python 3 it's reliably backwards from Python 2.
# In real world situations where each prompt sits & waits for its
# response, this probably wouldn't be an issue, so using
# any_order=True for now. Thanks again Python 3.
self._expect_response(
out="beep boop I am a robot",
responses={"boop": "betty", "robot": "carnival"},
).assert_has_calls(calls, any_order=True)
def multiple_patterns_across_both_streams(self):
responses = {
"boop": "betty",
"robot": "carnival",
"Destroy": "your ego",
"humans": "are awful",
}
calls = map(lambda x: call(x), responses.values())
# CANNOT assume order due to simultaneous streams.
# If we didn't say any_order=True we could get race condition fails
self._expect_response(
out="beep boop, I am a robot",
err="Destroy all humans!",
responses=responses,
).assert_has_calls(calls, any_order=True)
def honors_watchers_config_option(self):
klass = self._mock_stdin_writer()
responder = Responder("my stdout", "and my axe")
runner = self._runner(
out="this is my stdout", # yielded stdout
klass=klass, # mocked stdin writer
run={"watchers": [responder]}, # ends up as config override
)
runner.run(_, hide=True)
klass.write_proc_stdin.assert_called_once_with("and my axe")
def kwarg_overrides_config(self):
# TODO: how to handle use cases where merging, not overriding, is
# the expected/unsurprising default? probably another config-only
# (not kwarg) setting, e.g. run.merge_responses?
# TODO: now that this stuff is list, not dict, based, it should be
# easier...BUT how to handle removal of defaults from config? Maybe
# just document to be careful using the config as it won't _be_
# overridden? (Users can always explicitly set the config to be
# empty-list if they want kwargs to be the entire set of
# watchers...right?)
klass = self._mock_stdin_writer()
conf = Responder("my stdout", "and my axe")
kwarg = Responder("my stdout", "and my body spray")
runner = self._runner(
out="this is my stdout", # yielded stdout
klass=klass, # mocked stdin writer
run={"watchers": [conf]}, # ends up as config override
)
runner.run(_, hide=True, watchers=[kwarg])
klass.write_proc_stdin.assert_called_once_with("and my body spray")
class io_sleeping:
# NOTE: there's an explicit CPU-measuring test in the integration suite
# which ensures the *point* of the sleeping - avoiding CPU hogging - is
# actually functioning. These tests below just unit-test the mechanisms
# around the sleep functionality (ensuring they are visible and can be
# altered as needed).
def input_sleep_attribute_defaults_to_hundredth_of_second(self):
assert Runner(Context()).input_sleep == 0.01
@mock_subprocess()
def subclasses_can_override_input_sleep(self):
class MyRunner(_Dummy):
input_sleep = 0.007
with patch("invoke.runners.time") as mock_time:
MyRunner(Context()).run(
_,
in_stream=StringIO("foo"),
out_stream=StringIO(), # null output to not pollute tests
)
# Just make sure the first few sleeps all look good. Can't know
# exact length of list due to stdin worker hanging out til end of
# process. Still worth testing more than the first tho.
assert mock_time.sleep.call_args_list[:3] == [call(0.007)] * 3
class stdin_mirroring:
def _test_mirroring(self, expect_mirroring, **kwargs):
# Setup
fake_in = "I'm typing!"
output = Mock()
input_ = StringIO(fake_in)
input_is_pty = kwargs.pop("in_pty", None)
class MyRunner(_Dummy):
def should_echo_stdin(self, input_, output):
# Fake result of isatty() test here and only here; if we do
# this farther up, it will affect stuff trying to run
# termios & such, which is harder to mock successfully.
if input_is_pty is not None:
input_.isatty = lambda: input_is_pty
return super(MyRunner, self).should_echo_stdin(
input_, output
)
# Execute basic command with given parameters
self._run(
_,
klass=MyRunner,
in_stream=input_,
out_stream=output,
**kwargs
)
# Examine mocked output stream to see if it was mirrored to
if expect_mirroring:
calls = output.write.call_args_list
assert calls == list(map(lambda x: call(x), fake_in))
assert len(output.flush.call_args_list) == len(fake_in)
# Or not mirrored to
else:
assert output.write.call_args_list == []
def when_pty_is_True_no_mirroring_occurs(self):
self._test_mirroring(pty=True, expect_mirroring=False)
def when_pty_is_False_we_write_in_stream_back_to_out_stream(self):
self._test_mirroring(pty=False, in_pty=True, expect_mirroring=True)
def mirroring_is_skipped_when_our_input_is_not_a_tty(self):
self._test_mirroring(in_pty=False, expect_mirroring=False)
def mirroring_can_be_forced_on(self):
self._test_mirroring(
# Subprocess pty normally disables echoing
pty=True,
# But then we forcibly enable it
echo_stdin=True,
# And expect it to happen
expect_mirroring=True,
)
def mirroring_can_be_forced_off(self):
# Make subprocess pty False, stdin tty True, echo_stdin False,
# prove no mirroring
self._test_mirroring(
# Subprocess lack of pty normally enables echoing
pty=False,
# Provided the controlling terminal _is_ a tty
in_pty=True,
# But then we forcibly disable it
echo_stdin=False,
# And expect it to not happen
expect_mirroring=False,
)
def mirroring_honors_configuration(self):
self._test_mirroring(
pty=False,
in_pty=True,
settings={"run": {"echo_stdin": False}},
expect_mirroring=False,
)
@trap
@skip_if_windows
@patch("invoke.runners.sys.stdin")
@patch("invoke.terminals.fcntl.ioctl")
@patch("invoke.terminals.os")
@patch("invoke.terminals.termios")
@patch("invoke.terminals.tty")
@patch("invoke.terminals.select")
# NOTE: the no-fileno edition is handled at top of this local test
# class, in the base case test.
def reads_FIONREAD_bytes_from_stdin_when_fileno(
self, select, tty, termios, mock_os, ioctl, stdin
):
# Set stdin up as a file-like buffer which passes has_fileno
stdin.fileno.return_value = 17 # arbitrary
stdin_data = list("boo!")
def fakeread(n):
# Why is there no slice version of pop()?
data = stdin_data[:n]
del stdin_data[:n]
return "".join(data)
stdin.read.side_effect = fakeread
# Without mocking this, we'll always get errors checking the above
# bogus fileno()
mock_os.tcgetpgrp.return_value = None
# Ensure select() only spits back stdin one time, despite there
# being multiple bytes to read (this at least partly fakes behavior
# from issue #58)
select.select.side_effect = chain(
[([stdin], [], [])], repeat(([], [], []))
)
# Have ioctl yield our multiple number of bytes when called with
# FIONREAD
def fake_ioctl(fd, cmd, buf):
# This works since each mocked attr will still be its own mock
# object with a distinct 'is' identity.
if cmd is termios.FIONREAD:
return struct.pack("h", len(stdin_data))
ioctl.side_effect = fake_ioctl
# Set up our runner as one w/ mocked stdin writing (simplest way to
# assert how the reads & writes are happening)
klass = self._mock_stdin_writer()
self._runner(klass=klass).run(_)
klass.write_proc_stdin.assert_called_once_with("boo!")
class character_buffered_stdin:
@skip_if_windows
@patch("invoke.terminals.tty")
def setcbreak_called_on_tty_stdins(self, mock_tty, mock_termios):
mock_termios.tcgetattr.return_value = make_tcattrs(echo=True)
self._run(_)
mock_tty.setcbreak.assert_called_with(sys.stdin)
@skip_if_windows
@patch("invoke.terminals.tty")
def setcbreak_not_called_on_non_tty_stdins(self, mock_tty):
self._run(_, in_stream=StringIO())
assert not mock_tty.setcbreak.called
@skip_if_windows
@patch("invoke.terminals.tty")
@patch("invoke.terminals.os")
def setcbreak_not_called_if_process_not_foregrounded(
self, mock_os, mock_tty
):
# Re issue #439.
mock_os.getpgrp.return_value = 1337
mock_os.tcgetpgrp.return_value = 1338
self._run(_)
assert not mock_tty.setcbreak.called
# Sanity
mock_os.tcgetpgrp.assert_called_once_with(sys.stdin.fileno())
@skip_if_windows
@patch("invoke.terminals.tty")
def tty_stdins_have_settings_restored_by_default(
self, mock_tty, mock_termios
):
# Get already-cbroken attrs since that's an easy way to get the
# right format/layout
attrs = make_tcattrs(echo=True)
mock_termios.tcgetattr.return_value = attrs
self._run(_)
# Ensure those old settings are being restored
mock_termios.tcsetattr.assert_called_once_with(
sys.stdin, mock_termios.TCSADRAIN, attrs
)
@skip_if_windows
@patch("invoke.terminals.tty") # stub
def tty_stdins_have_settings_restored_on_KeyboardInterrupt(
self, mock_tty, mock_termios
):
# This test is re: GH issue #303
sentinel = make_tcattrs(echo=True)
mock_termios.tcgetattr.return_value = sentinel
# Don't actually bubble up the KeyboardInterrupt...
try:
self._run(_, klass=_KeyboardInterruptingRunner)
except KeyboardInterrupt:
pass
# Did we restore settings?!
mock_termios.tcsetattr.assert_called_once_with(
sys.stdin, mock_termios.TCSADRAIN, sentinel
)
@skip_if_windows
@patch("invoke.terminals.tty")
def setcbreak_not_called_if_terminal_seems_already_cbroken(
self, mock_tty, mock_termios
):
# Proves #559, sorta, insofar as it only passes when the fixed
# behavior is in place. (Proving the old bug is hard as it is race
# condition reliant; the new behavior sidesteps that entirely.)
# Test both bytes and ints versions of CC values, since docs
# disagree with at least some platforms' realities on that.
for is_ints in (True, False):
mock_termios.tcgetattr.return_value = make_tcattrs(
cc_is_ints=is_ints
)
self._run(_)
# Ensure tcsetattr and setcbreak were never called
assert not mock_tty.setcbreak.called
assert not mock_termios.tcsetattr.called
class send_interrupt:
def _run_with_mocked_interrupt(self, klass):
runner = klass(Context())
runner.send_interrupt = Mock()
try:
runner.run(_)
except _GenericException:
pass
return runner
def called_on_KeyboardInterrupt(self):
runner = self._run_with_mocked_interrupt(
_KeyboardInterruptingRunner
)
assert runner.send_interrupt.called
def not_called_for_other_exceptions(self):
runner = self._run_with_mocked_interrupt(_GenericExceptingRunner)
assert not runner.send_interrupt.called
def sends_escape_byte_sequence(self):
for pty in (True, False):
runner = _KeyboardInterruptingRunner(Context())
mock_stdin = Mock()
runner.write_proc_stdin = mock_stdin
runner.run(_, pty=pty)
mock_stdin.assert_called_once_with(u"\x03")
class timeout:
def start_timer_called_with_config_value(self):
runner = self._runner(timeouts={"command": 7})
runner.start_timer = Mock()
assert runner.context.config.timeouts.command == 7
runner.run(_)
runner.start_timer.assert_called_once_with(7)
def run_kwarg_honored(self):
runner = self._runner()
runner.start_timer = Mock()
assert runner.context.config.timeouts.command is None
runner.run(_, timeout=3)
runner.start_timer.assert_called_once_with(3)
def kwarg_wins_over_config(self):
runner = self._runner(timeouts={"command": 7})
runner.start_timer = Mock()
assert runner.context.config.timeouts.command == 7
runner.run(_, timeout=3)
runner.start_timer.assert_called_once_with(3)
def raises_CommandTimedOut_with_timeout_info(self):
runner = self._runner(
klass=_TimingOutRunner, timeouts={"command": 7}
)
with raises(CommandTimedOut) as info:
runner.run(_)
assert info.value.timeout == 7
_repr = "<CommandTimedOut: cmd='nope' timeout=7>"
assert repr(info.value) == _repr
expected = """
Command did not complete within 7 seconds!
Command: 'nope'
Stdout: already printed
Stderr: already printed
""".lstrip()
assert str(info.value) == expected
@patch("invoke.runners.threading.Timer")
def start_timer_gives_its_timer_the_kill_method(self, Timer):
runner = self._runner()
runner.start_timer(30)
Timer.assert_called_once_with(30, runner.kill)
def _mocked_timer(self):
runner = self._runner()
runner._timer = Mock()
return runner
def run_always_stops_timer(self):
runner = _GenericExceptingRunner(Context())
runner.stop_timer = Mock()
with raises(_GenericException):
runner.run(_)
runner.stop_timer.assert_called_once_with()
def stop_timer_cancels_timer(self):
runner = self._mocked_timer()
runner.stop_timer()
runner._timer.cancel.assert_called_once_with()
def timer_aliveness_is_test_of_timing_out(self):
# Might be redundant, but easy enough to unit test
runner = Runner(Context())
runner._timer = Mock()
runner._timer.is_alive.return_value = False
assert runner.timed_out
runner._timer.is_alive.return_value = True
assert not runner.timed_out
def timeout_specified_but_no_timer_means_no_exception(self):
# Weird corner case but worth testing
runner = Runner(Context())
runner._timer = None
assert not runner.timed_out
class stop:
def always_runs_no_matter_what(self):
runner = _GenericExceptingRunner(context=Context())
runner.stop = Mock()
with raises(_GenericException):
runner.run(_)
runner.stop.assert_called_once_with()
class asynchronous:
def returns_Promise_immediately_and_finishes_on_join(self):
# Dummy subclass with controllable process_is_finished flag
class _Finisher(_Dummy):
_finished = False
@property
def process_is_finished(self):
return self._finished
runner = _Finisher(Context())
# Set up mocks and go
runner.start = Mock()
for method in self._stop_methods:
setattr(runner, method, Mock())
result = runner.run(_, asynchronous=True)
# Got a Promise (its attrs etc are in its own test subsuite)
assert isinstance(result, Promise)
# Started, but did not stop (as would've happened for disown)
assert runner.start.called
for method in self._stop_methods:
assert not getattr(runner, method).called
# Set proc completion flag to truthy and join()
runner._finished = True
result.join()
for method in self._stop_methods:
assert getattr(runner, method).called
@trap
def hides_output(self):
# Run w/ faux subproc stdout/err data, but async
self._runner(out="foo", err="bar").run(_, asynchronous=True).join()
# Expect that default out/err streams did not get printed to.
assert sys.stdout.getvalue() == ""
assert sys.stderr.getvalue() == ""
def does_not_forward_stdin(self):
class MockedHandleStdin(_Dummy):
pass
MockedHandleStdin.handle_stdin = Mock()
runner = self._runner(klass=MockedHandleStdin)
runner.run(_, asynchronous=True).join()
# As with the main test for setting this to False, we know that
# when stdin is disabled, the handler is never even called (no
# thread is created for it).
assert not MockedHandleStdin.handle_stdin.called
def leaves_overridden_streams_alone(self):
# NOTE: technically a duplicate test of the generic tests for #637
# re: intersect of hide and overridden streams. But that's an
# implementation detail so this is still valuable.
klass = self._mock_stdin_writer()
out, err, in_ = StringIO(), StringIO(), StringIO("hallo")
runner = self._runner(out="foo", err="bar", klass=klass)
runner.run(
_,
asynchronous=True,
out_stream=out,
err_stream=err,
in_stream=in_,
).join()
assert out.getvalue() == "foo"
assert err.getvalue() == "bar"
assert klass.write_proc_stdin.called # lazy
class disown:
@patch.object(threading.Thread, "start")
def starts_and_returns_None_but_does_nothing_else(self, thread_start):
runner = Runner(Context())
runner.start = Mock()
not_called = self._stop_methods + ["wait"]
for method in not_called:
setattr(runner, method, Mock())
result = runner.run(_, disown=True)
# No Result object!
assert result is None
# Subprocess kicked off
assert runner.start.called
# No timer or IO threads started
assert not thread_start.called
# No wait or shutdown related Runner methods called
for method in not_called:
assert not getattr(runner, method).called
def cannot_be_given_alongside_asynchronous(self):
with raises(ValueError) as info:
self._runner().run(_, asynchronous=True, disown=True)
sentinel = "Cannot give both 'asynchronous' and 'disown'"
assert sentinel in str(info.value)
class _FastLocal(Local):
# Neuter this for same reason as in _Dummy above
input_sleep = 0
class Local_:
def _run(self, *args, **kwargs):
return _run(*args, **dict(kwargs, klass=_FastLocal))
def _runner(self, *args, **kwargs):
return _runner(*args, **dict(kwargs, klass=_FastLocal))
class pty:
@mock_pty()
def when_pty_True_we_use_pty_fork_and_os_exec(self):
"when pty=True, we use pty.fork and os.exec*"
self._run(_, pty=True)
# @mock_pty's asserts check os/pty calls for us.
@mock_pty(insert_os=True)
def _expect_exit_check(self, exited, mock_os):
if exited:
expected_check = mock_os.WIFEXITED
expected_get = mock_os.WEXITSTATUS
unexpected_check = mock_os.WIFSIGNALED
unexpected_get = mock_os.WTERMSIG
else:
expected_check = mock_os.WIFSIGNALED
expected_get = mock_os.WTERMSIG
unexpected_check = mock_os.WIFEXITED
unexpected_get = mock_os.WEXITSTATUS
expected_check.return_value = True
unexpected_check.return_value = False
self._run(_, pty=True)
exitstatus = mock_os.waitpid.return_value[1]
expected_get.assert_called_once_with(exitstatus)
assert not unexpected_get.called
def pty_uses_WEXITSTATUS_if_WIFEXITED(self):
self._expect_exit_check(True)
def pty_uses_WTERMSIG_if_WIFSIGNALED(self):
self._expect_exit_check(False)
@mock_pty(insert_os=True)
def WTERMSIG_result_turned_negative_to_match_subprocess(self, mock_os):
mock_os.WIFEXITED.return_value = False
mock_os.WIFSIGNALED.return_value = True
mock_os.WTERMSIG.return_value = 2
assert self._run(_, pty=True, warn=True).exited == -2
@mock_pty()
def pty_is_set_to_controlling_terminal_size(self):
self._run(_, pty=True)
# @mock_pty's asserts check the TIOC[GS]WINSZ calls for us
def warning_only_fires_once(self):
# I.e. if implementation checks pty-ness >1 time, only one warning
# is emitted. This is kinda implementation-specific, but...
skip()
@patch("invoke.runners.sys")
def replaced_stdin_objects_dont_explode(self, mock_sys):
# Replace sys.stdin with an object lacking .isatty(), which
# normally causes an AttributeError unless we are being careful.
mock_sys.stdin = object()
# Test. If bug is present, this will error.
runner = Local(Context())
assert runner.should_use_pty(pty=True, fallback=True) is False
@mock_pty(trailing_error=OSError("Input/output error"))
def spurious_OSErrors_handled_gracefully(self):
# Doesn't-blow-up test.
self._run(_, pty=True)
@mock_pty(trailing_error=OSError("I/O error"))
def other_spurious_OSErrors_handled_gracefully(self):
# Doesn't-blow-up test.
self._run(_, pty=True)
@mock_pty(trailing_error=OSError("wat"))
def non_spurious_OSErrors_bubble_up(self):
try:
self._run(_, pty=True)
except ThreadException as e:
e = e.exceptions[0]
assert e.type == OSError
assert str(e.value) == "wat"
@mock_pty(os_close_error=True)
def stop_mutes_errors_on_pty_close(self):
# Another doesn't-blow-up test, this time around os.close() of the
# pty itself (due to os_close_error=True)
self._run(_, pty=True)
class fallback:
@mock_pty(isatty=False)
def can_be_overridden_by_kwarg(self):
self._run(_, pty=True, fallback=False)
# @mock_pty's asserts will be mad if pty-related os/pty calls
# didn't fire, so we're done.
@mock_pty(isatty=False)
def can_be_overridden_by_config(self):
self._runner(run={"fallback": False}).run(_, pty=True)
# @mock_pty's asserts will be mad if pty-related os/pty calls
# didn't fire, so we're done.
@trap
@mock_subprocess(isatty=False)
def affects_result_pty_value(self, *mocks):
assert self._run(_, pty=True).pty is False
@mock_pty(isatty=False)
def overridden_fallback_affects_result_pty_value(self):
assert self._run(_, pty=True, fallback=False).pty is True
class shell:
@mock_pty(insert_os=True)
def defaults_to_bash_or_cmdexe_when_pty_True(self, mock_os):
# NOTE: yea, windows can't run pty is true, but this is really
# testing config behavior, so...meh
self._run(_, pty=True)
_expect_platform_shell(mock_os.execve.call_args_list[0][0][0])
@mock_subprocess(insert_Popen=True)
def defaults_to_bash_or_cmdexe_when_pty_False(self, mock_Popen):
self._run(_, pty=False)
_expect_platform_shell(
mock_Popen.call_args_list[0][1]["executable"]
)
@mock_pty(insert_os=True)
def may_be_overridden_when_pty_True(self, mock_os):
self._run(_, pty=True, shell="/bin/zsh")
assert mock_os.execve.call_args_list[0][0][0] == "/bin/zsh"
@mock_subprocess(insert_Popen=True)
def may_be_overridden_when_pty_False(self, mock_Popen):
self._run(_, pty=False, shell="/bin/zsh")
assert mock_Popen.call_args_list[0][1]["executable"] == "/bin/zsh"
class env:
# NOTE: update-vs-replace semantics are tested 'purely' up above in
# regular Runner tests.
@mock_subprocess(insert_Popen=True)
def uses_Popen_kwarg_for_pty_False(self, mock_Popen):
self._run(_, pty=False, env={"FOO": "BAR"})
expected = dict(os.environ, FOO="BAR")
env = mock_Popen.call_args_list[0][1]["env"]
assert env == expected
@mock_pty(insert_os=True)
def uses_execve_for_pty_True(self, mock_os):
type(mock_os).environ = {"OTHERVAR": "OTHERVAL"}
self._run(_, pty=True, env={"FOO": "BAR"})
expected = {"OTHERVAR": "OTHERVAL", "FOO": "BAR"}
env = mock_os.execve.call_args_list[0][0][2]
assert env == expected
class close_proc_stdin:
def raises_SubprocessPipeError_when_pty_in_use(self):
with raises(SubprocessPipeError):
runner = Local(Context())
runner.using_pty = True
runner.close_proc_stdin()
def closes_process_stdin(self):
runner = Local(Context())
runner.process = Mock()
runner.using_pty = False
runner.close_proc_stdin()
runner.process.stdin.close.assert_called_once_with()
class timeout:
@patch("invoke.runners.os")
def kill_uses_self_pid_when_pty(self, mock_os):
runner = self._runner()
runner.using_pty = True
runner.pid = 50
runner.kill()
mock_os.kill.assert_called_once_with(50, signal.SIGKILL)
@patch("invoke.runners.os")
def kill_uses_self_process_pid_when_not_pty(self, mock_os):
runner = self._runner()
runner.using_pty = False
runner.process = Mock(pid=30)
runner.kill()
mock_os.kill.assert_called_once_with(30, signal.SIGKILL)
class Result_:
def nothing_is_required(self):
Result()
def first_posarg_is_stdout(self):
assert Result("foo").stdout == "foo"
def command_defaults_to_empty_string(self):
assert Result().command == ""
def shell_defaults_to_empty_string(self):
assert Result().shell == ""
def encoding_defaults_to_local_default_encoding(self):
assert Result().encoding == default_encoding()
def env_defaults_to_empty_dict(self):
assert Result().env == {}
def stdout_defaults_to_empty_string(self):
assert Result().stdout == u""
def stderr_defaults_to_empty_string(self):
assert Result().stderr == u""
def exited_defaults_to_zero(self):
assert Result().exited == 0
def pty_defaults_to_False(self):
assert Result().pty is False
def repr_contains_useful_info(self):
assert repr(Result(command="foo")) == "<Result cmd='foo' exited=0>"
class tail:
def setup(self):
self.sample = "\n".join(str(x) for x in range(25))
def returns_last_10_lines_of_given_stream_plus_whitespace(self):
expected = """
15
16
17
18
19
20
21
22
23
24"""
assert Result(stdout=self.sample).tail("stdout") == expected
def line_count_is_configurable(self):
expected = """
23
24"""
tail = Result(stdout=self.sample).tail("stdout", count=2)
assert tail == expected
def works_for_stderr_too(self):
# Dumb test is dumb, but whatever
expected = """
23
24"""
tail = Result(stderr=self.sample).tail("stderr", count=2)
assert tail == expected
@patch("invoke.runners.encode_output")
def encodes_with_result_encoding(self, encode):
Result(stdout="foo", encoding="utf-16").tail("stdout")
encode.assert_called_once_with("\n\nfoo", "utf-16")
class Promise_:
def exposes_read_only_run_params(self):
runner = _runner()
promise = runner.run(
_, pty=True, encoding="utf-17", shell="sea", asynchronous=True
)
assert promise.command == _
assert promise.pty is True
assert promise.encoding == "utf-17"
assert promise.shell == "sea"
assert not hasattr(promise, "stdout")
assert not hasattr(promise, "stderr")
class join:
# NOTE: high level Runner lifecycle mechanics of join() (re: wait(),
# process_is_finished() etc) are tested in main suite.
def returns_Result_on_success(self):
result = _runner().run(_, asynchronous=True).join()
assert isinstance(result, Result)
# Sanity
assert result.command == _
assert result.exited == 0
def raises_main_thread_exception_on_kaboom(self):
runner = _runner(klass=_GenericExceptingRunner)
with raises(_GenericException):
runner.run(_, asynchronous=True).join()
def raises_subthread_exception_on_their_kaboom(self):
class Kaboom(_Dummy):
def handle_stdout(self, **kwargs):
raise OhNoz()
runner = _runner(klass=Kaboom)
promise = runner.run(_, asynchronous=True)
with raises(ThreadException) as info:
promise.join()
assert isinstance(info.value.exceptions[0].value, OhNoz)
def raises_Failure_on_failure(self):
runner = _runner(exits=1)
promise = runner.run(_, asynchronous=True)
with raises(Failure):
promise.join()
class context_manager:
def calls_join_or_wait_on_close_of_block(self):
promise = _runner().run(_, asynchronous=True)
promise.join = Mock()
with promise:
pass
promise.join.assert_called_once_with()
def yields_self(self):
promise = _runner().run(_, asynchronous=True)
with promise as value:
assert value is promise
|