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
|
# -*- coding: utf-8 -*-
# Copyright (C) 2010-2023 by Mike Gabriel <mike.gabriel@das-netzwerkteam.de>
#
# Python X2Go is free software; you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as published by
# the Free Software Foundation; either version 3 of the License, or
# (at your option) any later version.
#
# Python X2Go is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Affero General Public License for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with this program; if not, write to the
# Free Software Foundation, Inc.,
# 51 Franklin St, Fifth Floor, Boston, MA 02110-1301, USA.
"""\
X2GoTerminalSession class - core functions for handling your individual X2Go sessions.
This backend handles X2Go server implementations that respond with session infos
via server-side PLAIN text output.
"""
__NAME__ = 'x2goterminalsession-pylib'
__package__ = 'x2go.backends.terminal'
__name__ = 'x2go.backends.terminal.plain'
# modules
import os
import sys
import types
import gevent
import io
import copy
import shutil
import threading
# Python X2Go modules
import x2go.rforward as rforward
import x2go.sftpserver as sftpserver
import x2go.printqueue as printqueue
import x2go.mimebox as mimebox
import x2go.telekinesis as telekinesis
import x2go.log as log
import x2go.defaults as defaults
import x2go.utils as utils
import x2go.x2go_exceptions as x2go_exceptions
# we hide the default values from epydoc (that's why we transform them to _UNDERSCORE variables)
from x2go.defaults import X2GOCLIENT_OS as _X2GOCLIENT_OS
from x2go.defaults import LOCAL_HOME as _LOCAL_HOME
from x2go.defaults import CURRENT_LOCAL_USER as _CURRENT_LOCAL_USER
from x2go.defaults import X2GO_CLIENT_ROOTDIR as _X2GO_CLIENT_ROOTDIR
from x2go.defaults import X2GO_SESSIONS_ROOTDIR as _X2GO_SESSIONS_ROOTDIR
from x2go.defaults import X2GO_GENERIC_APPLICATIONS as _X2GO_GENERIC_APPLICATIONS
from x2go.defaults import X2GO_DESKTOPSESSIONS as _X2GO_DESKTOPSESSIONS
from x2go.defaults import X2GO_DESKTOPSESSIONS_NX3_PREFERRED as _X2GO_DESKTOPSESSIONS_NX3_PREFERRED
from x2go.defaults import X2GO_DESKTOPSESSIONS_KDRIVE_PREFERRED as _X2GO_DESKTOPSESSIONS_KDRIVE_PREFERRED
from x2go.defaults import BACKENDS as _BACKENDS
_local_color_depth = utils.local_color_depth()
def _rewrite_cmd(cmd, params=None):
"""\
Mechansim that rewrites X2Go server commands into something that gets understood by
the server-side script ``x2goruncommand``.
:param cmd: the current command for execution (as found in the session profile parameter ``cmd``)
:type cmd: ``str``
:param params: an session paramter object (Default value = None)
:type params: :class:`x2go.backends.terminal.plain.X2GoSessionParams`
:returns: the rewritten command for server-side execution
:rtype: ``str``
"""
# start with an empty string
cmd = cmd or ''
# find window manager commands
if cmd in list(_X2GO_DESKTOPSESSIONS.keys()):
cmd = _X2GO_DESKTOPSESSIONS[cmd]
if (cmd == 'RDP') and (type(params) == X2GoSessionParams):
_depth = params.depth
if int(_depth) == 17:
_depth = 16
if params.geometry == 'fullscreen':
cmd = 'rdesktop -f -N %s %s -a %s' % (params.rdp_options, params.rdp_server, _depth)
else:
cmd = 'rdesktop -g %s -N %s %s -a %s' % (params.geometry, params.rdp_options, params.rdp_server, _depth)
# place quot marks around cmd if not empty string
if cmd:
cmd = '"%s"' % cmd
if ((type(params) == X2GoSessionParams) and params.published_applications and cmd == ''):
cmd = 'PUBLISHED'
return cmd
def _rewrite_blanks(cmd):
"""\
In command strings X2Go server scripts expect blanks being rewritten to ,,X2GO_SPACE_CHAR''.
:param cmd: command that has to be rewritten for passing to the server
:type cmd: ``str``
:returns: the command with blanks rewritten to ,,X2GO_SPACE_CHAR''
:rtype: ``str``
"""
# X2Go run command replace X2GO_SPACE_CHAR string with blanks
if cmd:
cmd = cmd.replace(" ", "X2GO_SPACE_CHAR")
return cmd
class X2GoSessionParams(object):
"""\
The :class:`x2go.backends.terminal.plain.X2GoSessionParams` class is used to store all parameters that
``X2GoTerminalSession`` backend objects are constructed with.
"""
def rewrite_session_type(self):
"""\
Rewrite the X2Go session type, so that the X2Go server
can understand it (``desktop`` -> ``D`` or ``K``, depending
on the proxy backend, etc.).
Also if the object's ``command`` property is a known window
manager, the session type will be set to 'D'
(i.e. desktop with NX3 backend).
:returns: D' if session should probably a desktop session,
'R' for rootless sessions, 'P' for sessions providing published
applications, and 'S' for desktop sharing sessions
:rtype: ``str``
"""
cmd = self.cmd
published = self.published_applications
if published and self.cmd in ('', 'PUBLISHED'):
self.session_type = 'P'
self.cmd = 'PUBLISHED'
else:
if cmd == 'RDP' or cmd.startswith('rdesktop') or cmd.startswith('xfreedrp'):
if self.geometry == 'fullscreen': self.session_type = 'D'
else: self.session_type = 'R'
elif cmd == 'XDMCP':
self.session_type = 'desktop'
elif cmd in list(_X2GO_DESKTOPSESSIONS.keys()):
self.session_type = 'desktop'
elif os.path.basename(cmd) in list(_X2GO_DESKTOPSESSIONS.values()):
self.session_type = 'desktop'
if self.session_type == "D" or ( self.session_type == "desktop" and self.kdrive == False ):
self.session_type = 'D'
elif self.session_type == "K" or ( self.session_type == "desktop" and self.kdrive == True ):
self.session_type = 'K'
elif self.session_type in ("S", "shared", "shadow"):
self.session_type = 'S'
elif self.session_type in ("R", "rootless", "application"):
self.session_type = 'R'
elif self.session_type in ("P", "published", "published_applications"):
self.session_type = 'P'
return self.session_type
def update(self, **properties_to_be_updated):
"""\
Update all properties in the object :class:`x2go.backends.terminal.plain.X2GoSessionParams` object from
the passed on dictionary.
:param properties_to_be_updated: a dictionary with :class:`x2go.backends.terminal.plain.X2GoSessionParams`
property names as keys und their values to be update in
:class:`x2go.backends.terminal.plain.X2GoSessionParams` object.
:type properties_to_be_updated: ``dict``
"""
for key in list(properties_to_be_updated.keys()):
setattr(self, key, properties_to_be_updated[key] or '')
self.rewrite_session_type()
class X2GoTerminalSession(object):
"""\
Class for managing X2Go terminal sessions on a remote X2Go server via Paramiko/SSH.
With the :class:`x2go.backends.terminal.plain.X2GoTerminalSession` class you can start new X2Go sessions, resume suspended
sessions or suspend resp. terminate currently running sessions on a
connected X2Go server.
An :class:`x2go.backends.terminal.plain.X2GoTerminalSession` object uses two main data structure classes:
- :class:`x2go.backends.terminal.plain.X2GoSessionParams`: stores all parameters that have been passed to the
constructor method.
- ``X2GoServerSessionInfo*`` backend class: when starting or resuming a session, an object of this class
will be used to store all information retrieved from the X2Go server.
The terminal session instance works closely together (i.e. depends on) a connected control
session instance (e.g. :class:`x2go.backends.control.plain.X2GoControlSession`). You never should use either of them as a standalone
instance. Both, control session and terminal session(s) get managed/controlled via :class:`x2go.session.X2GoSession` instances.
"""
def __init__(self, control_session, session_info=None,
geometry="800x600", depth=_local_color_depth, link="adsl", pack="16m-jpeg-9", dpi='',
cache_type="unix-kde",
kbtype='null/null', kblayout='null', kbvariant='null',
clipboard='both',
xinerama=False,
kdrive=False,
session_type="application", snd_system='pulse', snd_port=4713, cmd=None,
published_applications=False,
set_session_title=False, session_title="", applications=[],
rdp_server=None, rdp_options=None,
xdmcp_server=None,
convert_encoding=False, server_encoding='UTF-8', client_encoding='UTF-8',
rootdir=None,
profile_name='UNKNOWN', profile_id=utils._genSessionProfileId(),
print_action=None, print_action_args={},
info_backend=_BACKENDS['X2GoServerSessionInfo']['default'],
list_backend=_BACKENDS['X2GoServerSessionList']['default'],
proxy_backend=_BACKENDS['X2GoProxy']['default'], proxy_options={},
printing_backend=_BACKENDS['X2GoClientPrinting']['default'],
client_rootdir=os.path.join(_LOCAL_HOME, _X2GO_CLIENT_ROOTDIR),
sessions_rootdir=os.path.join(_LOCAL_HOME, _X2GO_SESSIONS_ROOTDIR),
session_instance=None,
logger=None, loglevel=log.loglevel_DEFAULT):
"""\
Initialize an X2Go session. With the :class:`x2go.backends.terminal.plain.X2GoTerminalSession` class you can start
new X2Go sessions, resume suspended sessions or suspend resp. terminate
currently running sessions on a connected X2Go server.
:param geometry: screen geometry of the X2Go session. Can be either ``<width>x<height>``,
``maximize`` or ``fullscreen``
:type geometry: ``str``
:param depth: color depth in bits (common values: ``16``, ``24``)
:type depth: ``int``
:param link: network link quality (either one of ``modem``, ``isdn``, ``adsl``, ``wan`` or ``lan``)
:type link: ``str``
:param pack: compression method for NX based session proxying
:type pack: ``str``
:param dpi: dots-per-inch value for the session screen (has an impact on the font size on screen)
:type dpi: ``str``
:param cache_type: a dummy parameter that is passed to the :class:`x2go.backends.proxy.base.X2GoProxy`. In NX Proxy
(class ``X2GoProxyNX3``) this originally is the session name. With X2Go it
defines the name of the NX cache directory. Best is to leave it untouched.
:type cache_type: ``str``
:param kbtype: keyboard type, e.g. ``pc105/us`` (default), ``pc105/de``, ...
:type kbtype: ``str``
:param kblayout: keyboard layout, e.g. ``us`` (default), ``de``, ``fr``, ...
:type kblayout: ``str``
:param kbvariant: keyboard variant, e.g. ``nodeadkeys`` (for ``de`` layout), ``intl`` (for ``us`` layout), etc.
:type kbvariant: ``str``
:param clipboard: clipboard mode (``both``: bidirectional copy+paste, ``server``: copy+paste from server to
client, ``client``: copy+paste from client to server, ``none``: disable clipboard completely
:type clipboard: ``str``
:param xinerama: enable/disable Xinerama support in remote X2Go session
:type xinerama: ``bool``
:param session_type: either ``desktop``, ``application`` (rootless session) or ``shared`` (only set for new sessions,
ignored for to-be-resumed sessions)
:type session_type: ``str``
:param snd_system: sound system to be used on server (``none``, ``pulse`` (default),
``arts`` (obsolete) or ``esd``)
:type snd_system: ``str``
:param snd_port: local sound port for network capable audio system
:type snd_port: ``int``
:param cmd: command to be run on X2Go server after session start (only used
when :class:`x2go.backends.terminal.plain.X2GoTerminalSession.start()` is called, ignored on resume, suspend etc.
:type cmd: ``str``
:param published_applications: session is published applications provider
:type published_applications: ``bool``
:param set_session_title: modify the session title (i.e. the Window title) of desktop or shared desktop sessions
:type set_session_title: ``bool``
:param session_title: session title for this (desktop or shared desktop) session
:type session_title: ``str``
:param applications: applications available for rootless application execution
:type applications: ``list``
:param rdp_server: host name of server-side RDP server
:type rdp_server: ``str``
:param rdp_options: options for the ``rdesktop`` command executed on the X2Go server (RDP proxy mode of X2Go)
:type rdp_options: ``str``
:param xdmcp_server: XDMCP server to connect to
:type xdmcp_server: ``str``
:param convert_encoding: convert file system encodings between server and client (for client-side shared folders)
:type convert_encoding: ``bool``
:param server_encoding: server-side file system / session encoding
:type server_encoding: ``str``
:param client_encoding: client-side file system encoding (if client-side is MS Windows, this parameter gets overwritten to WINDOWS-1252)
:type client_encoding: ``str``
:param rootdir: X2Go session directory, normally ``~/.x2go``
:type rootdir: ``str``
:param profile_name: the session profile name for this terminal session
:type profile_name: ``str``
:param profile_id: the session profile ID for this terminal session
:type profile_id: ``str``
:param print_action: either a print action short name (PDFVIEW, PDFSAVE, PRINT, PRINTCMD) or the
resp. ``X2GoPrintActionXXX`` class (where XXX equals one of the given short names)
:type print_action: ``str`` or ``class``
:param print_action_args: optional arguments for a given print_action (for further info refer to
:class:`x2go.printactions.X2GoPrintActionPDFVIEW`, :class:`x2go.printactions.X2GoPrintActionPDFSAVE`, :class:`x2go.printactions.X2GoPrintActionPRINT` and :class:`x2go.printactions.X2GoPrintActionPRINTCMD`)
:type print_action_args: ``dict``
:param info_backend: backend for handling storage of server session information
:type info_backend: ``X2GoServerSessionInfo*`` instance
:param list_backend: backend for handling storage of session list information
:type list_backend: ``X2GoServerSessionList*`` instance
:param proxy_backend: backend for handling the X-proxy connections
:type proxy_backend: ``X2GoProxy*`` instance
:param proxy_options: a set of very ``X2GoProxy`` backend specific options; any option that is not known
to the ``X2GoProxy`` backend will simply be ignored
:type proxy_options: ``dict``
:param client_rootdir: client base dir (default: ~/.x2goclient)
:type client_rootdir: ``str``
:param sessions_rootdir: sessions base dir (default: ~/.x2go)
:type sessions_rootdir: ``str``
:param session_instance: the :class:`x2go.session.X2GoSession` instance that is parent to this terminal session
:type session_instance: ``obj``
:param logger: you can pass an :class:`x2go.log.X2GoLogger` object to the
:class:`x2go.backends.terminal.plain.X2GoTerminalSession` constructor
:type logger: :class:`x2go.log.X2GoLogger` instance
:param loglevel: if no :class:`x2go.log.X2GoLogger` object has been supplied a new one will be
constructed with the given loglevel
:type loglevel: ``int``
"""
self.proxy = None
self.proxy_subprocess = None
self.proxy_options = proxy_options
self.telekinesis_client = None
self.active_threads = []
self.reverse_tunnels = {}
self.print_queue = None
self.mimebox_queue = None
if logger is None:
self.logger = log.X2GoLogger(loglevel=loglevel)
else:
self.logger = copy.deepcopy(logger)
self.logger.tag = __NAME__
self.control_session = control_session
self.reverse_tunnels = self.control_session.get_transport().reverse_tunnels
self.client_rootdir = client_rootdir
self.sessions_rootdir = sessions_rootdir
self.params = X2GoSessionParams()
self.params.geometry = str(geometry)
self.params.link = str(link)
self.params.pack = str(pack)
if dpi:
self.params.dpi = str(dpi)
else:
self.params.dpi = ''
self.params.cache_type = str(cache_type)
self.params.session_type = str(session_type)
self.params.kbtype = str(kbtype)
self.params.kblayout = str(kblayout)
self.params.kbvariant = str(kbvariant)
self.params.snd_system = str(snd_system)
self.params.cmd = str(cmd)
self.params.depth = str(depth)
self.params.clipboard = str(clipboard)
self.params.xinerama = bool(xinerama)
self.params.published_applications = published_applications
self.published_applications = published_applications
self.params.rdp_server = str(rdp_server)
self.params.rdp_options = str(rdp_options)
self.params.xdmcp_server = str(xdmcp_server)
self.params.convert_encoding = convert_encoding
self.params.client_encoding = str(client_encoding)
self.params.server_encoding = str(server_encoding)
self.params.rootdir = (type(rootdir) is bytes) and rootdir or self.sessions_rootdir
self.params.kdrive = False
# enforce X2GoKDrive usage?
if kdrive:
proxy_backend = "KDRIVE"
self.params.kdrive = True
self.params.update()
self.profile_name = profile_name
self.set_session_title = set_session_title
if session_title:
self.session_title = session_title
else:
self.session_title = ''
self.session_window = None
# auto-detect graphical proxy/kdrive backend?
if proxy_backend == 'auto-detect':
# we need to defer this at this point
# until we know the exact session command
# to be launched... (i.e. what desktop environment
# the user wants to launch via X2Go
self.proxy_backend = proxy_backend
else:
self.proxy_backend = utils._get_backend_class(proxy_backend, "X2GoProxy")
self.snd_port = snd_port
self.print_action = print_action
self.print_action_args = print_action_args
self.printing_backend = utils._get_backend_class(printing_backend, "X2GoClientPrinting")
self.session_instance = session_instance
if self.session_instance:
self.client_instance = self.session_instance.client_instance
else:
self.client_instance = None
self._share_local_folder_busy = False
self._mk_sessions_rootdir(self.params.rootdir)
self.session_info = session_info
if self.session_info is not None:
if self.session_info.name:
self.session_info.local_container = os.path.join(self.params.rootdir, 'S-%s' % self.session_info.name)
else:
raise x2go_exceptions.X2GoTerminalSessionException('no valid session info availble')
else:
self.session_info = info_backend()
self._share_local_folder_lock = threading.Lock()
self._cleaned_up = False
self.telekinesis_subprocess = None
def __del__(self):
"""\
Tidy up if terminal session gets destructed.
"""
self._x2go_tidy_up()
def _x2go_tidy_up(self):
"""\
Tidy up this terminal session...
- shutdown all forwarding and reverse forwarding tunnels
- shutdown the print queue (if running)
- shutdown the MIME box queue (if running)
- clear the session info
"""
try:
if self._share_local_folder_lock and self._share_local_folder_lock.locked():
self._share_local_folder_lock.release()
except AttributeError:
pass
self.release_telekinesis()
self.release_proxy()
self.session_window = None
try:
self.update_session_window_file()
except AttributeError:
pass
try:
if self.control_session.get_transport() is not None:
try:
for _tunnel in [ _tun[1] for _tun in list(self.reverse_tunnels[self.session_info.name].values()) ]:
if _tunnel is not None:
_tunnel.__del__()
except KeyError:
pass
if self.print_queue is not None:
self.print_queue.__del__()
if self.mimebox_queue is not None:
self.mimebox_queue.__del__()
except AttributeError:
pass
try:
self.session_info.clear()
except AttributeError:
pass
def _mk_sessions_rootdir(self, rootdir):
"""\
Create the server-side session root dir (normally ~/.x2go).
:param rootdir: server-side session root directory
:type rootdir: ``str``
"""
try:
os.makedirs(rootdir)
except OSError as e:
if e.errno == 17:
# file exists
pass
else:
raise OSError(e)
def _rm_session_dirtree(self):
"""\
Purge client-side session dir (session cache directory).
"""
if self.session_info.name:
shutil.rmtree('%s/S-%s' % (self.params.rootdir, self.session_info), ignore_errors=True)
def _rm_desktop_dirtree(self):
"""\
Purge client-side session dir (C-<display> directory)
"""
if self.session_info.display:
shutil.rmtree('%s/S-%s' % (self.params.rootdir, self.session_info.display), ignore_errors=True)
def get_session_name(self):
"""\
Retrieve the X2Go session's name from the session info object.
:returns: the session name
:rtype: ``str``
"""
return self.session_info.name
def get_session_info(self):
"""\
Retrieve the X2Go session's session info object.
:returns: the session info object
:rtype: ``X2GoServerSessionInfo*``
"""
return self.session_info
def get_session_cmd(self):
"""\
Retrieve the X2Go session's command as stored in the session parameter object.
:returns: the session command
:rtype: ``str``
"""
return self.params.cmd
def get_session_type(self):
"""\
Retrieve the X2Go session's session type as stored either in the parameter
object (for sessions not yet launched) or in the ``session_info`` object (for
already launched / to-be-resumed sessions).
:returns: the session type
:rtype: ``str``
"""
if self.session_info.is_initialized():
return self.session_info.get_session_type()
else:
return self.params.session_type
def start_sound(self):
"""\
Initialize Paramiko/SSH reverse forwarding tunnel for X2Go sound.
Currently supported audio protocols:
- PulseAudio
- Esound (not tested very much)
:raises X2GoControlSessionException: if the control session of this terminal session is not connected
"""
_tunnel = None
if self.reverse_tunnels[self.session_info.name]['snd'][1] is None:
if self.params.snd_system == 'pulse':
self.logger('initializing PulseAudio sound support in X2Go session', loglevel=log.loglevel_INFO)
###
### PULSEAUDIO
###
cookie_filepath = None
if os.path.exists(os.path.normpath('%s/.pulse-cookie' % _LOCAL_HOME)):
cookie_filepath = os.path.normpath('%s/.pulse-cookie' % _LOCAL_HOME)
elif os.path.exists(os.path.normpath('%s/.config/pulse/cookie' % _LOCAL_HOME)):
cookie_filepath = os.path.normpath('%s/.config/pulse/cookie' % _LOCAL_HOME)
if cookie_filepath is not None:
# setup pulse client config file on X2Go server
cmd_line = "echo 'default-server=127.0.0.1:%s'>%s/.pulse-client.conf;" % (self.session_info.snd_port, self.session_info.remote_container) + \
"echo 'cookie-file=%s/.pulse-cookie'>>%s/.pulse-client.conf" % (self.session_info.remote_container, self.session_info.remote_container)
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
self.control_session._x2go_sftp_put(local_path=cookie_filepath, remote_path='%s/.pulse-cookie' % self.session_info.remote_container)
# start reverse SSH tunnel for pulse stream
_tunnel = rforward.X2GoRevFwTunnel(server_port=self.session_info.snd_port,
remote_host='127.0.0.1',
remote_port=self.snd_port,
ssh_transport=self.control_session.get_transport(),
session_instance=self.session_instance,
logger=self.logger
)
else:
if self.client_instance:
self.client_instance.HOOK_on_sound_tunnel_failed(profile_name=self.profile_name, session_name=self.session_info.name)
elif self.params.snd_system == 'arts':
###
### ARTSD AUDIO
###
self.logger('the ArtsD sound server (as in KDE3) is obsolete and will not be supported by Python X2Go...', loglevel=log.loglevel_WARN)
elif self.params.snd_system == 'esd':
###
### ESD AUDIO
###
self.logger('initializing ESD sound support in X2Go session', loglevel=log.loglevel_INFO)
self.control_session._x2go_sftp_put(local_path='%s/.esd_auth' % _LOCAL_HOME, remote_path='%s/.esd_auth' % self.control_session._x2go_remote_home)
# start reverse SSH tunnel for pulse stream
_tunnel = rforward.X2GoRevFwTunnel(server_port=self.session_info.snd_port,
remote_host='127.0.0.1',
remote_port=self.snd_port,
ssh_transport=self.control_session.get_transport(),
session_instance=self.session_instance,
logger=self.logger
)
if _tunnel is not None:
self.reverse_tunnels[self.session_info.name]['snd'] = (self.session_info.snd_port, _tunnel)
_tunnel.start()
self.active_threads.append(_tunnel)
else:
# tunnel has already been started and might simply need a resume call
self.reverse_tunnels[self.session_info.name]['snd'][1].resume()
def start_sshfs(self):
"""\
Initialize Paramiko/SSH reverse forwarding tunnel for X2Go folder sharing.
"""
if not self.control_session.is_sshfs_available():
raise x2go_exceptions.X2GoUserException('Remote user %s is not allowed to share SSHFS resources with the server.' % self.session_info.username)
# start reverse SSH tunnel for sshfs (folder sharing, printing)
ssh_transport = self.control_session.get_transport()
if self.reverse_tunnels[self.session_info.name]['sshfs'][1] is None:
_tunnel = sftpserver.X2GoRevFwTunnelToSFTP(server_port=self.session_info.sshfs_port,
ssh_transport=ssh_transport,
auth_key=self.control_session._x2go_session_auth_rsakey,
session_instance=self.session_instance,
logger=self.logger
)
if _tunnel is not None:
self.reverse_tunnels[self.session_info.name]['sshfs'] = (self.session_info.sshfs_port, _tunnel)
_tunnel.start()
self.active_threads.append(_tunnel)
while not _tunnel.ready:
gevent.sleep(.1)
else:
# tunnel has already been started and might simply need a resume call
self.reverse_tunnels[self.session_info.name]['sshfs'][1].resume()
def _x2go_pause_rev_fw_tunnel(self, name):
"""\
Pause reverse SSH tunnel of name <name>.
:param name: tunnel name (either of ``sshfs``, ``snd``)
:type name: ``str``
"""
_tunnel = self.reverse_tunnels[self.session_info.name][name][1]
if _tunnel is not None:
_tunnel.pause()
def stop_sound(self):
"""\
Shutdown (pause) Paramiko/SSH reverse forwarding tunnel for X2Go sound.
"""
self._x2go_pause_rev_fw_tunnel('snd')
def stop_sshfs(self):
"""\
Shutdown (pause) Paramiko/SSH reverse forwarding tunnel for X2Go folder sharing.
"""
self._x2go_pause_rev_fw_tunnel('sshfs')
def start_printing(self):
"""\
Initialize X2Go print spooling.
:raises X2GoUserException: if the X2Go printing feature is not available to this user
"""
if not self.control_session.is_sshfs_available():
raise x2go_exceptions.X2GoUserException('Remote user %s is not allowed to use client-side printing.' % self.session_info.username)
spool_dir = os.path.join(self.session_info.local_container, 'spool')
if not os.path.exists(spool_dir):
os.makedirs(spool_dir)
self.share_local_folder(local_path=spool_dir, folder_type='spool')
self.print_queue = printqueue.X2GoPrintQueue(profile_name=self.profile_name,
session_name=self.session_info.name,
spool_dir=spool_dir,
print_action=self.print_action,
print_action_args=self.print_action_args,
client_instance=self.client_instance,
printing_backend=self.printing_backend,
logger=self.logger,
)
self.print_queue.start()
self.active_threads.append(self.print_queue)
def set_print_action(self, print_action, **kwargs):
"""\
Set a print action for the next incoming print jobs.
This method is a wrapper for :class:`x2go.printing.X2GoPrintQueue`.set_print_action()``.
:param print_action: print action name or object (i.e. an instance of ``X2GoPrintAction*`` classes)
:type print_action: ``str`` or ``X2GoPrintAction*``
:param kwargs: print action specific parameters
:type kwargs: ``dict``
"""
self.print_queue.set_print_action(print_action, logger=self.logger, **kwargs)
def stop_printing(self):
"""\
Shutdown (pause) the X2Go Print Queue thread.
"""
if self.print_queue is not None:
self.print_queue.pause()
def get_printing_spooldir(self):
"""\
Return the server-side printing spooldir path.
:returns: the directory for remote print job spooling
:rtype: ``str``
"""
return '%s/%s' % (self.session_info.remote_container, 'spool')
def start_mimebox(self, mimebox_extensions=[], mimebox_action=None):
"""\
Initialize the X2Go MIME box. Open/process incoming files from the server-side locally.
:param mimebox_extensions: file name extensions that are allowed for local opening/processing (Default value = [])
:type mimebox_extensions: ``list``
:param mimebox_action: MIME box action given as name or object (i.e. an instance of ``X2GoMIMEboxAction*`` classes). (Default value = None)
:type mimebox_action: ``str`` or ``obj``
:raises X2GoUserException: if the X2Go MIME box feature is not available to this user
"""
if not self.control_session.is_sshfs_available():
raise x2go_exceptions.X2GoUserException('Remote user %s is not allowed to use the MIME box.' % self.session_info.username)
mimebox_dir = os.path.join(self.session_info.local_container, 'mimebox')
if not os.path.exists(mimebox_dir):
os.makedirs(mimebox_dir)
self.share_local_folder(local_path=mimebox_dir, folder_type='mimebox')
self.mimebox_queue = mimebox.X2GoMIMEboxQueue(profile_name=self.profile_name,
session_name=self.session_info.name,
mimebox_dir=mimebox_dir,
mimebox_extensions=mimebox_extensions,
mimebox_action=mimebox_action,
client_instance=self.client_instance,
logger=self.logger,
)
self.mimebox_queue.start()
self.active_threads.append(self.mimebox_queue)
def set_mimebox_action(self, mimebox_action, **kwargs):
"""\
Set a MIME box action for the next incoming MIME jobs.
This method is a wrapper for :class:`x2go.mimebox.X2GoMIMEboxQueue```set_mimebox_action()``.
:param mimebox_action: MIME box action name or object (i.e. an instance of ``X2GoMIMEboxAction*`` classes)
:type mimebox_action: ``str`` or ``X2GoMIMEboxAction*``
:param kwargs: MIME box action specific parameters
:type kwargs: ``dict``
"""
self.mimebox_queue.set_mimebox_action(mimebox_action, logger=self.logger, **kwargs)
def stop_mimebox(self):
"""\
Shutdown (pause) the X2Go MIME box Queue thread.
"""
if self.mimebox_queue is not None:
self.mimebox_queue.pause()
def get_mimebox_spooldir(self):
"""\
Return the server-side MIME box spooldir path.
:returns: the directory where remote MIME box jobs are placed
:rtype: ``str``
"""
return '%s/%s' % (self.session_info.remote_container, 'mimebox')
def start_telekinesis(self):
"""\
Initialize Telekinesis client for X2Go.
"""
if self.telekinesis_client is not None:
del self.telekinesis_client
self.telekinesis_client = None
if self.telekinesis_subprocess is not None:
self.telekinesis_subprocess = None
if self.session_info.tekictrl_port != -1 and self.session_info.tekidata_port != -1:
self.telekinesis_client = telekinesis.X2GoTelekinesisClient(session_info=self.session_info,
ssh_transport=self.control_session.get_transport(),
sessions_rootdir=self.sessions_rootdir,
session_instance=self.session_instance,
logger=self.logger)
if self.telekinesis_client.has_telekinesis_client():
self.telekinesis_subprocess, telekinesis_ok = self.telekinesis_client.start_telekinesis()
else:
del self.telekinesis_client
self.telekinesis_client = None
def is_session_info_protected(self):
"""\
Test if this terminal's session info object is write-protected.
:returns: ``True``, if session info object is read-only, ``False`` for read-write.
:rtype: ``bool``
"""
self.session_info.is_protected()
def session_info_protect(self):
"""\
Protect this terminal session's info object against updates.
"""
self.session_info.protect()
def session_info_unprotect(self):
"""\
Allow session info updates from within the list_sessions method of the control session.
"""
self.session_info.unprotect()
def share_local_folder(self, local_path=None, folder_type='disk'):
"""\
Share a local folder with the X2Go session.
:param local_path: the full path to an existing folder on the local
file system (Default value = None)
:type local_path: ``str``
:param folder_type: one of 'disk' (a folder on your local hard drive), 'rm' (removeable device),
'cdrom' (CD/DVD Rom) or 'spool' (for X2Go print spooling) (Default value = 'disk')
:type folder_type: ``str``
:returns: returns ``True`` if the local folder has been successfully mounted within the X2Go server session
:rtype: ``bool``
:raises X2GoUserException: if local folder sharing is not available to this user
:raises Exception: any other exception occuring on the way is passed through by this method
"""
if not self.control_session.is_sshfs_available():
raise x2go_exceptions.X2GoUserException('Remote user %s is not allowed to share local folders with the server.' % self.session_info.username)
if local_path is None:
self.logger('no folder name given...', log.loglevel_WARN)
return False
if type(local_path) not in (bytes, str):
self.logger('folder name needs to be of type StringType...', log.loglevel_WARN)
return False
if not os.path.exists(local_path):
self.logger('local folder does not exist: %s' % local_path, log.loglevel_WARN)
return False
local_path = os.path.normpath(local_path)
self.logger('sharing local folder: %s' % local_path, log.loglevel_INFO)
_auth_rsakey = self.control_session._x2go_session_auth_rsakey
_host_rsakey = defaults.RSAHostKey
if sys.version_info[0] >= 3:
_tmp_io_object = io.BytesIO()
else:
_tmp_io_object = io.StringIO()
_auth_rsakey.write_private_key(_tmp_io_object)
if sys.version_info[0] >= 3:
_tmp_io_object.write(b'----BEGIN RSA IDENTITY----')
_tmp_io_object.write(b'%b %b' % (_host_rsakey.get_name().encode(),_host_rsakey.get_base64().encode(),))
else:
_tmp_io_object.write(u'----BEGIN RSA IDENTITY----')
_tmp_io_object.write(u'%s %s' % (_host_rsakey.get_name(),_host_rsakey.get_base64(),))
# _x2go_key_fname must be a UniX path
_x2go_key_fname = '%s/%s/%s' % (os.path.dirname(self.session_info.remote_container), 'ssh', 'key.z%s' % self.session_info.agent_pid)
_x2go_key_bundle = _tmp_io_object.getvalue()
# if there is another call to this method currently being processed, wait for that one to finish
self._share_local_folder_lock.acquire()
try:
self.control_session._x2go_sftp_write(_x2go_key_fname, _x2go_key_bundle)
_convert_encoding = self.params.convert_encoding
_client_encoding = self.params.client_encoding
_server_encoding = self.params.server_encoding
if _X2GOCLIENT_OS == 'Windows':
if local_path.startswith('\\\\'):
# we are on a UNC path
if 'X2GO_MOUNT_UNCPATHS' in self.control_session.get_server_features():
local_path = local_path.repalce('\\\\', '/uncpath/')
else:
local_path = local_path.repalce('\\\\', '/windrive/')
local_path = local_path.replace('\\', '/')
else:
local_path = local_path.replace('\\', '/')
local_path = local_path.replace(':', '')
local_path = '/windrive/%s' % local_path
_convert_encoding = True
_client_encoding = 'WINDOWS-1252'
if _convert_encoding:
export_iconv_settings = 'export X2GO_ICONV=modules=iconv,from_code=%s,to_code=%s && ' % (_client_encoding, _server_encoding)
else:
export_iconv_settings = ''
if folder_type == 'disk':
cmd_line = [ '%sexport HOSTNAME &&' % export_iconv_settings,
'x2gomountdirs',
'dir',
str(self.session_info.name),
'\'%s\'' % _CURRENT_LOCAL_USER,
_x2go_key_fname,
'%s__REVERSESSH_PORT__%s; ' % (local_path, self.session_info.sshfs_port),
'rm -f %s %s.ident' % (_x2go_key_fname, _x2go_key_fname),
]
elif folder_type == 'spool':
cmd_line = [ '%sexport HOSTNAME &&' % export_iconv_settings,
'x2gomountdirs',
'dir',
str(self.session_info.name),
'\'%s\'' % _CURRENT_LOCAL_USER,
_x2go_key_fname,
'%s__PRINT_SPOOL___REVERSESSH_PORT__%s; ' % (local_path, self.session_info.sshfs_port),
'rm -f %s %s.ident' % (_x2go_key_fname, _x2go_key_fname),
]
elif folder_type == 'mimebox':
cmd_line = [ '%sexport HOSTNAME &&' % export_iconv_settings,
'x2gomountdirs',
'dir',
str(self.session_info.name),
'\'%s\'' % _CURRENT_LOCAL_USER,
_x2go_key_fname,
'%s__MIMEBOX_SPOOL___REVERSESSH_PORT__%s; ' % (local_path, self.session_info.sshfs_port),
'rm -f %s %s.ident' % (_x2go_key_fname, _x2go_key_fname),
]
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
_stdout = stdout.read()
_stderr = stderr.read()
if sys.version_info[0] >= 3:
_stdout = _stdout.decode()
_stderr = _stderr.decode()
_stdout = _stdout.split('\n')
if _stdout[0]:
self.logger('x2gomountdirs stdout is: %s' % _stdout, log.loglevel_NOTICE)
_stderr = _stderr.split('\n')
if _stderr[0]:
self.logger('x2gomountdirs stderr is: %s' % _stderr, log.loglevel_WARN)
except:
self._share_local_folder_lock.release()
raise
self._share_local_folder_lock.release()
if len(_stdout) >= 6 and _stdout[5].endswith('ok'):
return True
return False
def unshare_all_local_folders(self):
"""\
Unshare all local folders mount in the X2Go session.
:returns: returns ``True`` if all local folders could be successfully unmounted from the X2Go server session
:rtype: ``bool``
"""
self.logger('unsharing all local folders from session %s' % self.session_info, log.loglevel_INFO)
cmd_line = [ 'export HOSTNAME &&',
'x2goumount-session',
self.session_info.name,
]
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
_stderr = stderr.read()
if sys.version_info[0] >= 3:
_stderr = _stderr.decode()
if not _stderr:
self.logger('x2goumount-session (all mounts) for session %s has been successful' % self.session_info, log.loglevel_NOTICE)
return True
else:
self.logger('x2goumount-session (all mounts) for session %s failed' % self.session_info, log.loglevel_ERROR)
return False
def unshare_local_folder(self, local_path):
"""\
Unshare local folder given as <local_path> from X2Go session.
:param local_path: the full path to an existing folder on the local
file system (Default value = None)
:returns: returns ``True`` if the local folder <local_path> could be successfully unmounted from the X2Go server session
:rtype: ``bool``
"""
self.logger('unsharing local folder from session %s' % self.session_info, log.loglevel_INFO)
cmd_line = [ 'export HOSTNAME &&',
'x2goumount-session',
self.session_info.name,
"'%s'" % local_path,
]
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
_stderr = stderr.read()
if sys.version_info[0] >= 3:
_stderr = _stderr.decode()
if not _stderr:
self.logger('x2goumount-session (%s) for session %s has been successful' % (local_path, self.session_info, ), log.loglevel_NOTICE)
return True
else:
self.logger('x2goumount-session (%s) for session %s failed' % (local_path, self.session_info, ), log.loglevel_ERROR)
return False
def color_depth(self):
"""\
Retrieve the session's color depth.
:returns: the session's color depth
:rtype: ``int``
"""
return self.params.depth
def auto_session_window_title(self, dont_set=False):
"""\
Automatically generate an appropriate human-readable session window title.
The session window title will be provider in the ``session_title`` property of
this method.
:param dont_set: generate the session window title, but do not actually set it (Default value = False)
:type dont_set: ``bool``
"""
_generic_title = 'X2GO-%s' % self.session_info.name
# no blanks at beginning or end, no blanks-only...
self.session_title = self.session_title.strip()
if self.get_session_type() == 'D':
if self.set_session_title:
if not self.session_title:
self.session_title = '%s for %s@%s' % (self.params.cmd, self.control_session.remote_username(), self.control_session.get_hostname())
else:
# session title fallback... (like X2Go server does it...)
self.session_title = _generic_title
elif self.get_session_type() == 'S':
if self.set_session_title:
shared_user = _generic_title.split('XSHAD')[1]
shared_display = _generic_title.split('XSHAD')[2].replace('PP', ':').split("_")[0]
self.session_title = 'Desktop %s@%s shared with %s@%s' % (shared_user, shared_display, self.control_session.remote_username(), self.control_session.get_hostname())
else:
# session title fallback... (like X2Go server does it...)
self.session_title = _generic_title
else:
# do nothing for rootless sessions
self.session_title = _generic_title
if self.session_title != _generic_title and not dont_set:
self.set_session_window_title(title=self.session_title)
def find_session_window(self, timeout=60):
"""\
Try for <timeout> seconds to find the X2Go session window of this
terminal session.
A background thread will get spawned for this operation.
:param timeout: try for <timeout> seconds to find the session window (Default value = 60)
:type timeout: ``int``
"""
gevent.spawn(self._find_session_window, timeout=timeout)
def _find_session_window(self, timeout=0):
"""\
Try for <timeout> seconds to find the X2Go session window of this
terminal session.
:param timeout: try for <timeout> seconds to find the session window (Default value = 0)
:type timeout: ``int``
"""
self.session_window = None
# search for the window of our focus, do this in a loop till the window as been found
# or timeout forces us to give up...
timeout += 1
while timeout:
timeout -= 1
window = utils.find_session_window(self.session_info.name)
if window is not None:
if _X2GOCLIENT_OS == "Windows":
self.logger('Session window handle for session %s is: %s' % (self.session_info.name, window), loglevel=log.loglevel_DEBUG)
else:
self.logger('Session window ID for session %s is: %s' % (self.session_info.name, window.id), loglevel=log.loglevel_DEBUG)
self.session_window = window
self.update_session_window_file()
break
gevent.sleep(1)
def update_session_window_file(self):
"""\
Create a file that contains information on the session window.
.
If the file already exists, its content gets update.
"""
session_window_file = os.path.join(self.session_info.local_container, 'session.window')
if self.session_window is not None:
f = open(session_window_file,'w')
if _X2GOCLIENT_OS != "Windows":
_id = self.session_window.id
else:
_id = self.session_window
f.write(u'ID:{window_id}\n'.format(window_id=_id))
f.close()
self.logger('Updating session.window file %s: Window-ID->%s' % (session_window_file, _id), loglevel=log.loglevel_DEBUG)
else:
try:
os.remove(session_window_file)
except OSError as e:
# this is no error in most cases...
self.logger('The session window file %s is already gone (we failed to remove it with error: %s). In most cases this can be safely ignored.' % (session_window_file, str(e)), loglevel=log.loglevel_INFO)
def set_session_window_title(self, title, timeout=60):
"""\
Modify the session window title.
A background thread will get spawned for this operation.
:param title: new title for the terminal session's session window
:type title: ``str``
:param timeout: try for <timeout> seconds to find the session window (Default value = 60)
:type timeout: ``int``
"""
gevent.spawn(self._set_session_window_title, title=title.strip(), timeout=timeout)
def _set_session_window_title(self, title, timeout=0):
"""\
Modify the session window title.
:param title: new title for the terminal session's session window
:type title: ``str``
:param timeout: try for <timeout> seconds to find the session window (Default value = 0)
:type timeout: ``int``
"""
self.session_title = title
if not self.session_title:
self.auto_session_title(dont_set=True)
timeout += 1
while timeout:
timeout -= 1
if self.session_window is not None:
self.logger('Setting session window title for session %s is: %s' % (self.session_info.name, self.session_title), loglevel=log.loglevel_DEBUG)
utils.set_session_window_title(self.session_window, self.session_title)
break
gevent.sleep(1)
def raise_session_window(self, timeout=60):
"""\
Try for <timeout> seconds to raise the X2Go session window of this
terminal session to the top and bring it to focus.
A background thread will get spawned for this operation.
:param timeout: try for <timeout> seconds to raise the session window (Default value = 60)
:type timeout: ``int``
"""
gevent.spawn(self._raise_session_window, timeout=timeout)
def _raise_session_window(self, timeout=0):
"""\
Try for <timeout> seconds to raise the X2Go session window of this
terminal session to the top and bring it to focus.
:param timeout: try for <timeout> seconds to raise the session window (Default value = 0)
:type timeout: ``int``
"""
timeout += 1
while timeout:
timeout -= 1
if self.session_window is not None:
utils.raise_session_window(self.session_window)
break
gevent.sleep(1)
def has_command(self, cmd):
"""\
,,Guess'' if the command ``<cmd>`` exists on the X2Go server and is executable.
The expected result is not 100% safe, however, it comes with a high probability to
be correct.
:param cmd: session command
:type cmd: ``str``
:returns: ``True`` if this method reckons that the command is executable on the remote X2Go server
:rtype: ``bool``
"""
test_cmd = None;
cmd = cmd.strip('"').strip('"')
if cmd.find('RDP') != -1:
cmd = 'rdesktop'
if cmd in _X2GO_GENERIC_APPLICATIONS:
return True
if cmd in list(_X2GO_DESKTOPSESSIONS.keys()):
return True
elif 'XSHAD' in cmd:
return True
elif 'PUBLISHED' in cmd and 'X2GO_PUBLISHED_APPLICATIONS' in self.control_session.get_server_features():
return True
elif cmd and cmd.startswith('/'):
# check if full path is correct _and_ if application is in server path
test_cmd = 'test -x %s && which %s && echo OK' % (cmd, os.path.basename(cmd.split()[0]))
elif cmd and '/' not in cmd.split()[0]:
# check if application is in server path only
test_cmd = 'which %s && echo OK' % os.path.basename(cmd.split()[0])
if test_cmd:
(stdin, stdout, stderr) = self.control_session._x2go_exec_command([test_cmd])
_stdout = stdout.read()
if sys.version_info[0] >= 3:
_stdout = _stdout.decode()
return _stdout.find('OK') != -1
else:
return False
def run_command(self, cmd=None, env={}):
"""\
Run a command in this session.
After :class:`x2go.backends.terminal.plain.X2GoTerminalSession.start()` has been called
one or more commands can be executed with :class:`x2go.backends.terminal.plain.X2GoTerminalSession.run_command()`
within the current X2Go session.
:param cmd: Command to be run (Default value = None)
:type cmd: ``str``
:param env: add server-side environment variables (Default value = {})
:type env: ``dict``
:returns: stdout.read() and stderr.read() as returned by the run command
on the X2Go server
:rtype: ``tuple`` of ``str``
"""
if not self.has_command(_rewrite_cmd(str(self.params.cmd), params=self.params)):
if self.client_instance:
self.client_instance.HOOK_no_such_command(profile_name=self.profile_name, session_name=self.session_info.name, cmd=self.params.cmd)
return False
if cmd in ("", None):
if self.params.cmd is None:
cmd = 'TERMINAL'
else:
cmd = self.params.cmd
if cmd == 'XDMCP':
# do not run command when in XDMCP mode...
return None
if 'XSHAD' in cmd:
# do not run command when in DESKTOP SHARING mode...
return None
self.params.update(cmd=cmd)
# do not allow the execution of full path names
if '/' in cmd:
cmd = os.path.basename(cmd)
cmd_line = [ "setsid x2goruncommand",
str(self.session_info.display),
str(self.session_info.agent_pid),
str(self.session_info.name),
str(self.session_info.snd_port),
_rewrite_blanks(_rewrite_cmd(cmd, params=self.params)),
str(self.params.snd_system),
str(self.get_session_type()),
"1>/dev/null 2>/dev/null & exit",
]
if self.params.snd_system == 'pulse':
cmd_line = [ 'PULSE_CLIENTCONFIG=%s/.pulse-client.conf' % self.session_info.remote_container ] + cmd_line
if env:
for env_var in list(env.keys()):
cmd_line = [ '%s=%s' % (env_var, env[env_var]) ] + cmd_line
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
if self.params.kbtype not in ('null/null', 'auto') and (self.params.kblayout not in ('null', '') or self.params.kbvariant not in ('null', '')):
self.set_keyboard(layout=self.params.kblayout, variant=self.params.kbvariant)
if sys.version_info[0] >= 3:
return stdout.read().decode(), stderr.read().decode()
else:
return stdout.read(), stderr.read()
def is_desktop_session(self):
"""\
Is this (terminal) session a desktop session?
:returns: Returns ``True`` is this session is a desktop session.
:rtype: ``bool``
"""
if self.session_info:
return self.session_info.is_desktop_session()
return False
def is_published_applications_provider(self):
"""\
Is this (terminal) session a published applications provider?
:returns: Returns ``True`` is this session is a provider session for published applications.
:rtype: ``bool``
"""
if self.session_info and self.is_running():
return self.session_info.is_published_applications_provider()
return False
def set_keyboard(self, layout='null', variant='null'):
"""\
Set the keyboard layout and variant for this (running) session.
:param layout: keyboard layout to be set (Default value = 'null')
:type layout: ``str``
:param variant: keyboard variant to be set (Default value = 'null')
:type variant: ``str``
:returns: returns ``True`` if the {setxkbmap} command could be executed successfully.
:rtype: ``bool``
"""
if not self.is_running():
return False
cmd_line = [ 'export DISPLAY=:%s && ' % str(self.session_info.display),
'setxkbmap '
]
if layout != 'null':
self.logger('setting keyboad layout ,,%s\'\' for session %s' % (layout, self.session_info), log.loglevel_INFO)
cmd_line.append('-layout %s' % layout)
if variant != 'null':
self.logger('setting keyboad variant ,,%s\'\' for session %s' % (variant, self.session_info), log.loglevel_INFO)
cmd_line.append('-variant %s' % variant)
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
_stderr = stderr.read()
if sys.version_info[0] >= 3:
_stderr = _stderr.decode()
if not _stderr:
self.logger('setting keyboard layout ,,%s\'\' and variant ,,%s\'\' for session %s has been successful' % (layout, variant, self.session_info), log.loglevel_NOTICE)
return True
else:
self.logger('setting keyboard layout ,,%s\'\' and variant ,,%s\'\' for session %s failed: %s' % (layout, variant, self.session_info, _stderr.replace('\n', ' ')), log.loglevel_ERROR)
return False
def exec_published_application(self, exec_name, timeout=20, env={}):
"""\
Executed a published application.
:param exec_name: application to be executed
:type exec_name: ``str``
:param timeout: execution timeout (Default value = 20)
:type timeout: ``int``
:param env: session environment dictionary (Default value = {})
:type env: ``dict``
"""
cmd_line = [
"export DISPLAY=:%s && " % str(self.session_info.display),
"export X2GO_SESSION=%s && " % str(self.get_session_name()),
]
if self.params.snd_system == 'pulse':
cmd_line.append("export PULSE_CLIENTCONFIG=%s/.pulse-client.conf && " % self.session_info.remote_container)
if env:
for env_var in list(env.keys()):
cmd_line = [ 'export %s=%s && ' % (env_var, env[env_var]) ] + cmd_line
cmd_line.extend(
[
"setsid %s" % exec_name,
"1>/dev/null 2>/dev/null & exit",
]
)
self.logger('executing published application %s for %s with command line: %s' % (exec_name, self.profile_name, cmd_line), loglevel=log.loglevel_DEBUG)
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line, timeout=timeout)
def ok(self):
"""\
X2Go session OK?
:returns: Returns ``True`` if this X2Go (terminal) session is up and running,
``False`` otherwise.
:rtype: ``bool``
"""
_ok = bool(self.session_info.name and self.proxy.ok())
return _ok
def is_running(self):
"""\
X2Go session running?
:returns: Returns ``True`` if this X2Go (terminal) session is in running state,
``False`` otherwise.
:rtype: ``bool``
"""
return self.session_info.is_running()
def is_suspended(self):
"""\
X2Go session suspended?
:returns: Returns ``True`` if this X2Go (terminal) session is in suspended state,
``False`` otherwise.
:rtype: ``bool``
"""
return self.session_info.is_suspended()
def is_connected(self):
"""\
X2Go session connected?
:returns: Returns ``True`` if this X2Go session's Paramiko/SSH transport is
connected/authenticated, ``False`` else.
:rtype: ``bool``
"""
return self.control_session.is_connected()
def start(self):
"""\
Start a new X2Go session.
:returns: ``True`` if session startup has been successful and the X2Go proxy is up-and-running
:rtype: ``bool``
:raises X2GoTerminalSessionException: if the session startup failed
:raises X2GoDesktopSharingDenied: if desktop sharing fails because of denial by the user running the desktop to be shared
"""
self.params.rewrite_session_type()
if not self.has_command(_rewrite_cmd(self.params.cmd, params=self.params)):
if self.client_instance:
self.client_instance.HOOK_no_such_command(profile_name=self.profile_name, session_name=self.session_info.name, cmd=self.params.cmd)
return False
setkbd = "0"
if self.params.kbtype != "null/null":
setkbd = "1"
if '/' in self.params.cmd:
self.params.cmd = os.path.basename(self.params.cmd)
self.params.rewrite_session_type()
# auto-detect proxy backend, if requested
if self.proxy_backend == 'auto-detect':
if self.params.cmd in list(_X2GO_DESKTOPSESSIONS_KDRIVE_PREFERRED.keys()):
self.proxy_backend = utils._get_backend_class("KDRIVE", "X2GoProxy")
self.params.kdrive = True
elif os.path.basename(self.params.cmd) in list(_X2GO_DESKTOPSESSIONS_KDRIVE_PREFERRED.values()):
self.proxy_backend = utils._get_backend_class("KDRIVE", "X2GoProxy")
self.params.kdrive = True
elif self.params.cmd in list(_X2GO_DESKTOPSESSIONS_NX3_PREFERRED.keys()):
self.proxy_backend = utils._get_backend_class("NX3", "X2GoProxy")
elif os.path.basename(self.params.cmd) in list(_X2GO_DESKTOPSESSIONS_NX3_PREFERRED.values()):
self.proxy_backend = utils._get_backend_class("NX3", "X2GoProxy")
else:
self.proxy_backend = utils._get_backend_class("default", "X2GoProxy")
if self.params.kdrive and not 'X2GOKDRIVE_BASE_SUPPORT' in self.control_session.get_server_features():
self.logger('X2Go KDrive is not supported on the remote X2Go Server', loglevel=log.loglevel_ERROR)
raise x2go_exceptions.X2GoTerminalSessionException('X2Go KDrive is not support server-side')
self.params.rewrite_session_type()
if self.params.geometry == 'maximize':
_geometry = utils.get_workarea_geometry()
if _geometry is None or len(_geometry) != 2:
_geometry = utils.get_desktop_geometry()
if _geometry and len(_geometry) == 2:
self.params.geometry = "%sx%s" % _geometry
else:
self.logger('failed to detect best maximized geometry of your client-side desktop', loglevel=log.loglevel_WARN)
self.params.geometry = "1024x768"
cmd_line = [ "x2gostartagent",
str(self.params.geometry),
str(self.params.link),
str(self.params.pack),
str(self.params.cache_type+'-depth_'+self.params.depth),
str(self.params.kblayout),
str(self.params.kbtype),
str(setkbd),
str(self.get_session_type()),
str(self.params.cmd),
]
if self.get_session_type() != 'S':
cmd_line.append(
str(self.params.clipboard),
)
if self.params.cmd == 'XDMCP' and self.params.xdmcp_server:
cmd_line = ['X2GOXDMCP=%s' % self.params.xdmcp_server] + cmd_line
if self.params.dpi:
cmd_line = ['X2GODPI=%s' % self.params.dpi] + cmd_line
if self.params.xinerama:
cmd_line = ['X2GO_XINERAMA=true'] + cmd_line
else:
cmd_line = ['X2GO_XINERAMA=false'] + cmd_line
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
_stdout = stdout.read()
_stderr = stderr.read()
if sys.version_info[0] >= 3:
_stdout = _stdout.decode()
_stderr = _stderr.decode()
# if the first line of stdout is a "DEN(Y)" string then we will presume that
# we tried to use X2Go desktop sharing and the sharing was rejected
if "ACCESS DENIED" in _stderr and "XSHAD" in _stderr:
raise x2go_exceptions.X2GoDesktopSharingDenied('X2Go desktop sharing has been denied by the remote user')
try:
self.session_info.initialize(_stdout,
username=self.control_session.remote_username(),
hostname=self.control_session.remote_peername(),
)
except ValueError:
raise x2go_exceptions.X2GoTerminalSessionException("failed to start X2Go session")
except IndexError:
raise x2go_exceptions.X2GoTerminalSessionException("failed to start X2Go session")
# local path may be a Windows path, so we use the path separator of the local system
self.session_info.local_container = os.path.join(self.params.rootdir, 'S-%s' % self.session_info.name)
# remote path is always a UniX path...
self.session_info.remote_container = '%s/.x2go/C-%s' % (self.control_session._x2go_remote_home,
self.session_info.name,
)
# set up SSH tunnel for X11 graphical elements and launch client-side proxy/kdrive client
self.proxy = self.proxy_backend(session_info=self.session_info,
ssh_transport=self.control_session.get_transport(),
sessions_rootdir=self.sessions_rootdir,
session_instance=self.session_instance,
proxy_options=self.proxy_options,
logger=self.logger)
self.proxy_subprocess, proxy_ok = self.proxy.start_proxy()
if proxy_ok:
self.active_threads.append(self.proxy)
if self.get_session_type() in ('D', 'S', 'K'):
self.find_session_window()
self.auto_session_window_title()
self.raise_session_window()
if self.params.published_applications:
self.control_session.get_published_applications()
else:
raise x2go_exceptions.X2GoTerminalSessionException("failed to start X2Go session")
return proxy_ok
def resume(self):
"""\
Resume a running/suspended X2Go session.
:returns: ``True`` if the session could successfully be resumed
:rtype: ``bool``
:raises X2GoTerminalSessionException: if the terminal session failed to update server-side reported port changes
"""
setkbd = "0"
if self.params.kbtype != "null/null":
setkbd = "1"
if self.params.geometry == 'maximize':
_geometry = utils.get_workarea_geometry()
if _geometry is None or len(_geometry) != 2:
_geometry = utils.get_desktop_geometry()
if _geometry and len(_geometry) == 2:
self.params.geometry = "%sx%s" % _geometry
else:
self.logger('failed to detect best maxmimized geometry of your client-side desktop, using 1024x768 instead', loglevel=log.loglevel_WARN)
self.params.geometry = "1024x768"
cmd_line = [ "x2goresume-session", self.session_info.name,
self.params.geometry,
self.params.link,
self.params.pack,
self.params.kblayout,
self.params.kbtype,
setkbd,
self.params.clipboard,
str(self.params.xinerama),
]
(stdin, stdout, stderr) = self.control_session._x2go_exec_command(cmd_line)
_stdout = stdout.read()
if sys.version_info[0] >= 3:
_stdout = _stdout.decode()
# re-allocate (if needed) server-side ports for graphics, sound and sshfs
for stdout_line in _stdout.split('\n'):
try:
_new_value = stdout_line.split("=")[1].strip()
if 'gr_port=' in stdout_line and _new_value != str(self.session_info.graphics_port):
try:
self.session_info.graphics_port = int(_new_value)
self.logger('re-allocating graphics port for session %s, old server-side port is in use; new graphics port is %s' % (self.session_info, self.session_info.graphics_port), loglevel=log.loglevel_NOTICE)
except TypeError:
# if the re-allocation fails, this is fatal!!!
raise x2go_exceptions.X2GoTerminalSessionException('Failed to retrieve new graphics port from server. X2Go Session cannot be resumed.')
elif 'sound_port=' in stdout_line and _new_value != str(self.session_info.snd_port):
try:
self.session_info.snd_port = int(_new_value)
self.logger('re-allocating sound port for session %s, old server-side port is in use; new sound port is %s' % (self.session_info, self.session_info.snd_port), loglevel=log.loglevel_NOTICE)
except TypeError:
self.logger('Failed to retrieve new sound port from server for session %s, session will be without sound.' % self.session_info, loglevel=log.loglevel_WARN)
elif 'fs_port=' in stdout_line and _new_value != str(self.session_info.sshfs_port):
try:
self.session_info.sshfs_port = int(_new_value)
self.logger('re-allocating sshfs port for session %s, old server-side port is in use; new sshfs port is %s' % (self.session_info, self.session_info.sshfs_port), loglevel=log.loglevel_NOTICE)
except TypeError:
self.logger('Failed to retrieve new sshfs port from server for session %s, session will be without client-side folder sharing. Neither will there be X2Go printing nor X2Go MIME box support.' % self.session_info, loglevel=log.loglevel_WARN)
except IndexError:
continue
# local path may be a Windows path, so we use the path separator of the local system
self.session_info.local_container = os.path.join(self.params.rootdir, 'S-%s' % self.session_info.name)
# remote path is always a UniX path...
self.session_info.remote_container = '%s/.x2go/C-%s' % (self.control_session._x2go_remote_home,
self.session_info.name,
)
# make sure to use the correct proxy backend
if self.is_kdrive_session():
self.proxy_backend = utils._get_backend_class("KDRIVE", "X2GoProxy")
else:
self.proxy_backend = utils._get_backend_class("NX3", "X2GoProxy")
self.proxy = self.proxy_backend(session_info=self.session_info,
ssh_transport=self.control_session.get_transport(),
sessions_rootdir=self.sessions_rootdir,
session_instance=self.session_instance,
proxy_options=self.proxy_options,
logger=self.logger,
)
self.proxy_subprocess, proxy_ok = self.proxy.start_proxy()
if proxy_ok:
self.params.depth = self.session_info.name.split('_')[2][2:]
# on a session resume the user name comes in as a user ID. We have to translate this...
self.session_info.username = self.control_session.remote_username()
if self.params.kbtype not in ('null/null', 'auto') and (self.params.kblayout not in ('null', '') or self.params.kbvariant not in ('null', '')):
self.set_keyboard(layout=self.params.kblayout, variant=self.params.kbvariant)
if self.get_session_type() in ('D', 'S'):
self.find_session_window()
self.auto_session_window_title()
self.raise_session_window()
if self.is_published_applications_provider():
self.control_session.get_published_applications()
self.published_applications = True
else:
raise x2go_exceptions.X2GoTerminalSessionException("failed to start X2Go session")
return proxy_ok
def suspend(self):
"""\
Suspend this X2Go (terminal) session.
:returns: ``True`` if the session terminal could be successfully suspended
:rtype: ``bool``
"""
self.release_telekinesis()
self.control_session.suspend(session_name=self.session_info.name)
self.release_proxy()
# TODO: check if session has really suspended
_ret = True
return _ret
def terminate(self):
"""\
Terminate this X2Go (terminal) session.
:returns: ``True`` if the session could be successfully terminated
:rtype: ``bool``
"""
self.release_telekinesis()
self.control_session.terminate(session_name=self.session_info.name, destroy_terminals=False)
self.release_proxy()
self.post_terminate_cleanup()
self.__del__()
# TODO: check if session has really suspended
_ret = True
return _ret
def release_proxy(self):
"""\
Let the X2Go proxy command cleanly die away... (by calling its destructor).
"""
if self.proxy is not None:
self.proxy.__del__()
self.proxy = None
def release_telekinesis(self):
"""\
Let the attached Telekinesis client cleanly die away... (by calling its destructor).
"""
if self.telekinesis_client is not None:
self.telekinesis_client.__del__()
self.telekinesis_client = None
def post_terminate_cleanup(self):
"""\
Do some cleanup after this session has terminated.
"""
# this method might be called twice (directly and from update_status in the session
# registry instance. So we have to make sure, that this code will not fail
# if called twice.
if not self._cleaned_up and self.session_info.name:
# otherwise we wipe the session files locally
self.logger('cleaning up session %s after termination' % self.session_info, loglevel=log.loglevel_NOTICE)
# if we run in debug mode, we keep local session directories
if self.logger.get_loglevel() & log.loglevel_DEBUG != log.loglevel_DEBUG:
self._rm_session_dirtree()
self._rm_desktop_dirtree()
self._cleaned_up = True
def is_kdrive_session(self):
"""\
Test if this terminal session is a KDrive based desktop session.
:returns: ``True`` if this session is of session type KDrive ('K').
:rtype: ``bool``
"""
if not self.session_info.is_initialized():
self.params.rewrite_session_type()
return self.get_session_type() == 'K'
def is_rootless_session(self):
"""\
Test if this terminal session is a rootless session.
:returns: ``True`` if this session is of session type rootless ('R').
:rtype: ``bool``
"""
if not self.session_info.is_initialized():
self.params.rewrite_session_type()
return self.get_session_type() == 'R'
def is_shadow_session(self):
"""\
Test if this terminal session is a desktop sharing (aka shadow) session.
:returns: ``True`` if this session is of session type shadow ('S').
:rtype: ``bool``
"""
if not self.session_info.is_initialized():
self.params.rewrite_session_type()
return self.get_session_type() == 'S'
def is_pubapp_session(self):
"""\
Test if this terminal session is a published applications session.
:returns: ``True`` if this session is of session type published applications ('P').
:rtype: ``bool``
"""
if not self.session_info.is_initialized():
self.params.rewrite_session_type()
return self.get_session_type() == 'P'
|