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
|
"""
Contains the UI classes used to populate the various panes used by Mu.
Copyright (c) 2015-2017 Nicholas H.Tollervey and others (see the AUTHORS file).
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program 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 General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
"""
import sys
import site
import os
import re
import platform
import logging
import signal
import string
import bisect
import os.path
from PyQt5.QtCore import (Qt, QProcess, QProcessEnvironment, pyqtSignal,
QTimer, QUrl)
from collections import deque
from PyQt5.QtWidgets import (QMessageBox, QTextEdit, QFrame, QListWidget,
QGridLayout, QLabel, QMenu, QApplication,
QTreeView)
from PyQt5.QtGui import (QKeySequence, QTextCursor, QCursor, QPainter,
QDesktopServices, QStandardItem)
from qtconsole.rich_jupyter_widget import RichJupyterWidget
from mu.interface.themes import Font
from mu.interface.themes import DEFAULT_FONT_SIZE
logger = logging.getLogger(__name__)
CHARTS = True
try: # pragma: no cover
from PyQt5.QtChart import QChart, QLineSeries, QChartView, QValueAxis
except ImportError: # pragma: no cover
logger.info('Unable to find QChart. Plotter button will not display.')
QChartView = object
CHARTS = False
PANE_ZOOM_SIZES = {
'xs': 8,
's': 10,
'm': 14,
'l': 16,
'xl': 18,
'xxl': 24,
'xxxl': 28,
}
class JupyterREPLPane(RichJupyterWidget):
"""
REPL = Read, Evaluate, Print, Loop.
Displays a Jupyter iPython session.
"""
on_append_text = pyqtSignal(bytes)
def __init__(self, theme='day', parent=None):
super().__init__(parent)
self.set_theme(theme)
self.console_height = 10
def _append_plain_text(self, text, *args, **kwargs):
"""
Ensures appended text is emitted as a signal with associated bytes.
"""
super()._append_plain_text(text, *args, **kwargs)
self.on_append_text.emit(text.encode('utf-8'))
def set_font_size(self, new_size=DEFAULT_FONT_SIZE):
"""
Sets the font size for all the textual elements in this pane.
"""
font = self.font
font.setPointSize(new_size)
self._set_font(font)
def set_zoom(self, size):
"""
Set the current zoom level given the "t-shirt" size.
"""
self.set_font_size(PANE_ZOOM_SIZES[size])
def set_theme(self, theme):
"""
Sets the theme / look for the REPL pane.
"""
if theme == 'contrast':
self.set_default_style(colors='nocolor')
elif theme == 'night':
self.set_default_style(colors='nocolor')
else:
self.set_default_style()
def setFocus(self):
"""
Override base setFocus so the focus happens to the embedded _control
within this widget.
"""
self._control.setFocus()
class MicroPythonREPLPane(QTextEdit):
"""
REPL = Read, Evaluate, Print, Loop.
This widget represents a REPL client connected to a BBC micro:bit running
MicroPython.
The device MUST be flashed with MicroPython for this to work.
"""
def __init__(self, serial, theme='day', parent=None):
super().__init__(parent)
self.serial = serial
self.setFont(Font().load())
self.setAcceptRichText(False)
self.setReadOnly(False)
self.setUndoRedoEnabled(False)
self.setContextMenuPolicy(Qt.CustomContextMenu)
self.customContextMenuRequested.connect(self.context_menu)
self.setObjectName('replpane')
self.set_theme(theme)
def paste(self):
"""
Grabs clipboard contents then sends down the serial port.
"""
clipboard = QApplication.clipboard()
if clipboard and clipboard.text():
to_paste = clipboard.text().replace('\n', '\r').\
replace('\r\r', '\r')
self.serial.write(bytes(to_paste, 'utf8'))
def context_menu(self):
"""
Creates custom context menu with just copy and paste.
"""
menu = QMenu(self)
if platform.system() == 'Darwin':
copy_keys = QKeySequence(Qt.CTRL + Qt.Key_C)
paste_keys = QKeySequence(Qt.CTRL + Qt.Key_V)
else:
copy_keys = QKeySequence(Qt.CTRL + Qt.SHIFT + Qt.Key_C)
paste_keys = QKeySequence(Qt.CTRL + Qt.SHIFT + Qt.Key_V)
menu.addAction("Copy", self.copy, copy_keys)
menu.addAction("Paste", self.paste, paste_keys)
menu.exec_(QCursor.pos())
def set_theme(self, theme):
pass
def keyPressEvent(self, data):
"""
Called when the user types something in the REPL.
Correctly encodes it and sends it to the connected device.
"""
key = data.key()
msg = bytes(data.text(), 'utf8')
if key == Qt.Key_Backspace:
msg = b'\b'
elif key == Qt.Key_Delete:
msg = b'\x1B[\x33\x7E'
elif key == Qt.Key_Up:
msg = b'\x1B[A'
elif key == Qt.Key_Down:
msg = b'\x1B[B'
elif key == Qt.Key_Right:
msg = b'\x1B[C'
elif key == Qt.Key_Left:
msg = b'\x1B[D'
elif key == Qt.Key_Home:
msg = b'\x1B[H'
elif key == Qt.Key_End:
msg = b'\x1B[F'
elif (platform.system() == 'Darwin' and
data.modifiers() == Qt.MetaModifier) or \
(platform.system() != 'Darwin' and
data.modifiers() == Qt.ControlModifier):
# Handle the Control key. On OSX/macOS/Darwin (python calls this
# platform Darwin), this is handled by Qt.MetaModifier. Other
# platforms (Linux, Windows) call this Qt.ControlModifier. Go
# figure. See http://doc.qt.io/qt-5/qt.html#KeyboardModifier-enum
if Qt.Key_A <= key <= Qt.Key_Z:
# The microbit treats an input of \x01 as Ctrl+A, etc.
msg = bytes([1 + key - Qt.Key_A])
elif (data.modifiers() == Qt.ControlModifier | Qt.ShiftModifier) or \
(platform.system() == 'Darwin' and
data.modifiers() == Qt.ControlModifier):
# Command-key on Mac, Ctrl-Shift on Win/Lin
if key == Qt.Key_C:
self.copy()
msg = b''
elif key == Qt.Key_V:
self.paste()
msg = b''
self.serial.write(msg)
def process_bytes(self, data):
"""
Given some incoming bytes of data, work out how to handle / display
them in the REPL widget.
"""
tc = self.textCursor()
# The text cursor must be on the last line of the document. If it isn't
# then move it there.
while tc.movePosition(QTextCursor.Down):
pass
i = 0
while i < len(data):
if data[i] == 8: # \b
tc.movePosition(QTextCursor.Left)
self.setTextCursor(tc)
elif data[i] == 13: # \r
pass
elif len(data) > i + 1 and data[i] == 27 and data[i + 1] == 91:
# VT100 cursor detected: <Esc>[
i += 2 # move index to after the [
regex = r'(?P<count>[\d]*)(;?[\d]*)*(?P<action>[ABCDKm])'
m = re.search(regex, data[i:].decode('utf-8'))
if m:
# move to (almost) after control seq
# (will ++ at end of loop)
i += m.end() - 1
if m.group("count") == '':
count = 1
else:
count = int(m.group("count"))
if m.group("action") == "A": # up
tc.movePosition(QTextCursor.Up, n=count)
self.setTextCursor(tc)
elif m.group("action") == "B": # down
tc.movePosition(QTextCursor.Down, n=count)
self.setTextCursor(tc)
elif m.group("action") == "C": # right
tc.movePosition(QTextCursor.Right, n=count)
self.setTextCursor(tc)
elif m.group("action") == "D": # left
tc.movePosition(QTextCursor.Left, n=count)
self.setTextCursor(tc)
elif m.group("action") == "K": # delete things
if m.group("count") == "": # delete to end of line
tc.movePosition(QTextCursor.EndOfLine,
mode=QTextCursor.KeepAnchor)
tc.removeSelectedText()
self.setTextCursor(tc)
elif data[i] == 10: # \n
tc.movePosition(QTextCursor.End)
self.setTextCursor(tc)
self.insertPlainText(chr(data[i]))
else:
tc.deleteChar()
self.setTextCursor(tc)
self.insertPlainText(chr(data[i]))
i += 1
self.ensureCursorVisible()
def clear(self):
"""
Clears the text of the REPL.
"""
self.setText('')
def set_font_size(self, new_size=DEFAULT_FONT_SIZE):
"""
Sets the font size for all the textual elements in this pane.
"""
font = self.font()
font.setPointSize(new_size)
self.setFont(font)
def set_zoom(self, size):
"""
Set the current zoom level given the "t-shirt" size.
"""
self.set_font_size(PANE_ZOOM_SIZES[size])
class MuFileList(QListWidget):
"""
Contains shared methods for the two types of file listing used in Mu.
"""
disable = pyqtSignal()
list_files = pyqtSignal()
set_message = pyqtSignal(str)
def show_confirm_overwrite_dialog(self):
"""
Display a dialog to check if an existing file should be overwritten.
Returns a boolean indication of the user's decision.
"""
msg = QMessageBox(self)
msg.setIcon(QMessageBox.Information)
msg.setText(_("File already exists; overwrite it?"))
msg.setWindowTitle(_("File already exists"))
msg.setStandardButtons(QMessageBox.Ok | QMessageBox.Cancel)
return msg.exec_() == QMessageBox.Ok
class MicrobitFileList(MuFileList):
"""
Represents a list of files on the micro:bit.
"""
put = pyqtSignal(str)
delete = pyqtSignal(str)
def __init__(self, home):
super().__init__()
self.home = home
self.setDragDropMode(QListWidget.DragDrop)
def dropEvent(self, event):
source = event.source()
if isinstance(source, LocalFileList):
file_exists = self.findItems(source.currentItem().text(),
Qt.MatchExactly)
if not file_exists or \
file_exists and self.show_confirm_overwrite_dialog():
self.disable.emit()
local_filename = os.path.join(self.home,
source.currentItem().text())
msg = _("Copying '{}' to micro:bit.").format(local_filename)
logger.info(msg)
self.set_message.emit(msg)
self.put.emit(local_filename)
def on_put(self, microbit_file):
"""
Fired when the put event is completed for the given filename.
"""
msg = _("'{}' successfully copied to micro:bit.").format(microbit_file)
self.set_message.emit(msg)
self.list_files.emit()
def contextMenuEvent(self, event):
menu = QMenu(self)
delete_action = menu.addAction(_("Delete (cannot be undone)"))
action = menu.exec_(self.mapToGlobal(event.pos()))
if action == delete_action:
self.disable.emit()
microbit_filename = self.currentItem().text()
logger.info("Deleting {}".format(microbit_filename))
msg = _("Deleting '{}' from micro:bit.").format(microbit_filename)
logger.info(msg)
self.set_message.emit(msg)
self.delete.emit(microbit_filename)
def on_delete(self, microbit_file):
"""
Fired when the delete event is completed for the given filename.
"""
msg = _("'{}' successfully deleted from micro:bit.").\
format(microbit_file)
self.set_message.emit(msg)
self.list_files.emit()
class LocalFileList(MuFileList):
"""
Represents a list of files in the Mu directory on the local machine.
"""
get = pyqtSignal(str, str)
open_file = pyqtSignal(str)
def __init__(self, home):
super().__init__()
self.home = home
self.setDragDropMode(QListWidget.DragDrop)
def dropEvent(self, event):
source = event.source()
if isinstance(source, MicrobitFileList):
file_exists = self.findItems(source.currentItem().text(),
Qt.MatchExactly)
if not file_exists or \
file_exists and self.show_confirm_overwrite_dialog():
self.disable.emit()
microbit_filename = source.currentItem().text()
local_filename = os.path.join(self.home,
microbit_filename)
msg = _("Getting '{}' from micro:bit. "
"Copying to '{}'.").format(microbit_filename,
local_filename)
logger.info(msg)
self.set_message.emit(msg)
self.get.emit(microbit_filename, local_filename)
def on_get(self, microbit_file):
"""
Fired when the get event is completed for the given filename.
"""
msg = _("Successfully copied '{}' "
"from the micro:bit to your computer.").format(microbit_file)
self.set_message.emit(msg)
self.list_files.emit()
def contextMenuEvent(self, event):
menu = QMenu(self)
local_filename = self.currentItem().text()
# Get the file extension
ext = os.path.splitext(local_filename)[1].lower()
open_internal_action = None
# Mu micro:bit mode only handles .py & .hex
if ext == '.py' or ext == '.hex':
open_internal_action = menu.addAction(_("Open in Mu"))
# Open outside Mu (things get meta if Mu is the default application)
open_action = menu.addAction(_("Open"))
action = menu.exec_(self.mapToGlobal(event.pos()))
if action == open_action:
# Get the file's path
path = os.path.join(self.home, local_filename)
logger.info("Opening {}".format(path))
msg = _("Opening '{}'").format(local_filename)
logger.info(msg)
self.set_message.emit(msg)
# Let Qt work out how to open it
QDesktopServices.openUrl(QUrl.fromLocalFile(path))
elif action == open_internal_action:
logger.info("Open {} internally".format(local_filename))
# Get the file's path
path = os.path.join(self.home, local_filename)
# Send the signal bubbling up the tree
self.open_file.emit(path)
class FileSystemPane(QFrame):
"""
Contains two QListWidgets representing the micro:bit and the user's code
directory. Users transfer files by dragging and dropping. Highlighted files
can be selected for deletion.
"""
set_message = pyqtSignal(str)
set_warning = pyqtSignal(str)
list_files = pyqtSignal()
open_file = pyqtSignal(str)
def __init__(self, home):
super().__init__()
self.home = home
self.font = Font().load()
microbit_fs = MicrobitFileList(home)
local_fs = LocalFileList(home)
@local_fs.open_file.connect
def on_open_file(file):
# Bubble the signal up
self.open_file.emit(file)
layout = QGridLayout()
self.setLayout(layout)
microbit_label = QLabel()
microbit_label.setText(_('Files on your micro:bit:'))
local_label = QLabel()
local_label.setText(_('Files on your computer:'))
self.microbit_label = microbit_label
self.local_label = local_label
self.microbit_fs = microbit_fs
self.local_fs = local_fs
self.set_font_size()
layout.addWidget(microbit_label, 0, 0)
layout.addWidget(local_label, 0, 1)
layout.addWidget(microbit_fs, 1, 0)
layout.addWidget(local_fs, 1, 1)
self.microbit_fs.disable.connect(self.disable)
self.microbit_fs.set_message.connect(self.show_message)
self.local_fs.disable.connect(self.disable)
self.local_fs.set_message.connect(self.show_message)
def disable(self):
"""
Stops interaction with the list widgets.
"""
self.microbit_fs.setDisabled(True)
self.local_fs.setDisabled(True)
self.microbit_fs.setAcceptDrops(False)
self.local_fs.setAcceptDrops(False)
def enable(self):
"""
Allows interaction with the list widgets.
"""
self.microbit_fs.setDisabled(False)
self.local_fs.setDisabled(False)
self.microbit_fs.setAcceptDrops(True)
self.local_fs.setAcceptDrops(True)
def show_message(self, message):
"""
Emits the set_message signal.
"""
self.set_message.emit(message)
def show_warning(self, message):
"""
Emits the set_warning signal.
"""
self.set_warning.emit(message)
def on_ls(self, microbit_files):
"""
Displays a list of the files on the micro:bit.
Since listing files is always the final event in any interaction
between Mu and the micro:bit, this enables the controls again for
further interactions to take place.
"""
self.microbit_fs.clear()
self.local_fs.clear()
for f in microbit_files:
self.microbit_fs.addItem(f)
local_files = [f for f in os.listdir(self.home)
if os.path.isfile(os.path.join(self.home, f))]
local_files.sort()
for f in local_files:
self.local_fs.addItem(f)
self.enable()
def on_ls_fail(self):
"""
Fired when listing files fails.
"""
self.show_warning(_("There was a problem getting the list of files on "
"the micro:bit. Please check Mu's logs for "
"technical information. Alternatively, try "
"unplugging/plugging-in your micro:bit and/or "
"restarting Mu."))
self.disable()
def on_put_fail(self, filename):
"""
Fired when the referenced file cannot be copied onto the micro:bit.
"""
self.show_warning(_("There was a problem copying the file '{}' onto "
"the micro:bit. Please check Mu's logs for "
"more information.").format(filename))
def on_delete_fail(self, filename):
"""
Fired when a deletion on the micro:bit for the given file failed.
"""
self.show_warning(_("There was a problem deleting '{}' from the "
"micro:bit. Please check Mu's logs for "
"more information.").format(filename))
def on_get_fail(self, filename):
"""
Fired when getting the referenced file on the micro:bit failed.
"""
self.show_warning(_("There was a problem getting '{}' from the "
"micro:bit. Please check Mu's logs for "
"more information.").format(filename))
def set_theme(self, theme):
pass
def set_font_size(self, new_size=DEFAULT_FONT_SIZE):
"""
Sets the font size for all the textual elements in this pane.
"""
self.font.setPointSize(new_size)
self.microbit_label.setFont(self.font)
self.local_label.setFont(self.font)
self.microbit_fs.setFont(self.font)
self.local_fs.setFont(self.font)
def set_zoom(self, size):
"""
Set the current zoom level given the "t-shirt" size.
"""
self.set_font_size(PANE_ZOOM_SIZES[size])
class PythonProcessPane(QTextEdit):
"""
Handles / displays a Python process's stdin/out with working command
history and simple buffer editing.
"""
on_append_text = pyqtSignal(bytes)
def __init__(self, parent=None):
super().__init__(parent)
self.setFont(Font().load())
self.setAcceptRichText(False)
self.setReadOnly(False)
self.setUndoRedoEnabled(False)
self.setContextMenuPolicy(Qt.CustomContextMenu)
self.customContextMenuRequested.connect(self.context_menu)
self.running = False # Flag to show the child process is running.
self.setObjectName('PythonRunner')
self.process = None # Will eventually reference the running process.
self.input_history = [] # history of inputs entered in this session.
self.start_of_current_line = 0 # start position of the input line.
self.history_position = 0 # current position when navigation history.
self.stdout_buffer = b'' # contains non-decoded bytes from stdout.
self.reading_stdout = False # flag showing if already reading stdout.
def start_process(self, script_name, working_directory, interactive=True,
debugger=False, command_args=None, envars=None,
runner=None, python_args=None):
"""
Start the child Python process.
Will run the referenced Python script_name within the context of the
working directory.
If interactive is True (the default) the Python process will run in
interactive mode (dropping the user into the REPL when the script
completes).
If debugger is True (the default is False) then the script will run
within a debug runner session.
If there is a list of command_args (the default is None), then these
will be passed as further arguments into the script to be run.
If there is a list of environment variables, these will be part of the
context of the new child process.
If runner is given, this is used as the command to start the Python
process.
If python_args is given, these are passed as arguments to the Python
runtime used to launch the child process.
"""
self.script = os.path.abspath(os.path.normcase(script_name))
logger.info('Running script: {}'.format(self.script))
if interactive:
logger.info('Running with interactive mode.')
if command_args is None:
command_args = []
logger.info('Command args: {}'.format(command_args))
self.process = QProcess(self)
self.process.setProcessChannelMode(QProcess.MergedChannels)
# Force buffers to flush immediately.
env = QProcessEnvironment.systemEnvironment()
env.insert('PYTHONUNBUFFERED', '1')
env.insert('PYTHONIOENCODING', 'utf-8')
if sys.platform == 'darwin':
parent_dir = os.path.dirname(__file__)
if '.app/Contents/Resources/app/mu' in parent_dir:
# Mu is running as a macOS app bundle. Ensure the expected
# paths are in PYTHONPATH of the subprocess.
env.insert('PYTHONPATH', ':'.join(sys.path))
if sys.platform == 'win32' and 'pythonw.exe' in sys.executable:
# On Windows, if installed via NSIS then Python is always run in
# isolated mode via pythonw.exe so none of the expected directories
# are on sys.path. To mitigate, Mu attempts to drop a mu.pth file
# in a location taken from Windows based settings. This file will
# contain the "other" directories to include on the Python path,
# such as the working_directory and, if different from the
# working_directory, the directory containing the script to run.
try:
if site.ENABLE_USER_SITE:
# Ensure the USER_SITE directory exists.
os.makedirs(site.getusersitepackages(), exist_ok=True)
site_path = site.USER_SITE
path_file = os.path.join(site_path, 'mu.pth')
logger.info('Python paths set via {}'.format(path_file))
# Copy current Python paths. Use a set to avoid
# duplications.
paths_to_use = set([os.path.normcase(p) for p in sys.path])
# Add Mu's working directory.
paths_to_use.add(os.path.normcase(working_directory))
# Add the directory containing the script.
paths_to_use.add(os.path.normcase(
os.path.dirname(self.script)))
# Dropping a mu.pth file containing the paths_to_use
# into USER_SITE will add such paths to sys.path in the
# child process.
with open(path_file, 'w') as mu_pth:
for p in paths_to_use:
mu_pth.write(p + '\n')
else:
logger.info("Unable to set Python paths."
" Python's USER_SITE not enabled."
" Check configuration with administrator.")
except Exception as ex:
# Log all possible errors and allow Mu to continue. This is a
# "best effort" attempt to add the correct paths to the child
# process, but sometimes configuration by sys-admins may cause
# this to fail.
logger.error('Could not set Python paths with mu.pth file.')
logger.error(ex)
if envars:
logger.info('Running with environment variables: '
'{}'.format(envars))
for name, value in envars:
env.insert(name, value)
logger.info('Working directory: {}'.format(working_directory))
self.process.setWorkingDirectory(working_directory)
self.process.setProcessEnvironment(env)
self.process.readyRead.connect(self.try_read_from_stdout)
self.process.finished.connect(self.finished)
logger.info('Python path: {}'.format(sys.path))
if debugger:
# Start the mu-debug runner for the script.
parent_dir = os.path.join(os.path.dirname(__file__), '..')
mu_dir = os.path.abspath(parent_dir)
runner = os.path.join(mu_dir, 'mu-debug.py')
python_exec = sys.executable
args = [runner, self.script, ] + command_args
self.process.start(python_exec, args)
else:
if runner:
# Use the passed in Python "runner" to run the script.
python_exec = runner
else:
# Use the current system Python to run the script.
python_exec = sys.executable
if interactive:
# Start the script in interactive Python mode.
args = ['-i', self.script, ] + command_args
else:
# Just run the command with no additional flags.
args = [self.script, ] + command_args
if python_args:
args = python_args + args
self.process.start(python_exec, args)
self.running = True
def finished(self, code, status):
"""
Handle when the child process finishes.
"""
self.running = False
cursor = self.textCursor()
cursor.movePosition(cursor.End)
cursor.insertText('\n\n---------- FINISHED ----------\n')
msg = 'exit code: {} status: {}'.format(code, status)
cursor.insertText(msg)
cursor.movePosition(QTextCursor.End)
self.setTextCursor(cursor)
self.setReadOnly(True)
def context_menu(self):
"""
Creates custom context menu with just copy and paste.
"""
menu = QMenu(self)
if platform.system() == 'Darwin':
copy_keys = QKeySequence(Qt.CTRL + Qt.Key_C)
paste_keys = QKeySequence(Qt.CTRL + Qt.Key_V)
else:
copy_keys = QKeySequence(Qt.CTRL + Qt.SHIFT + Qt.Key_C)
paste_keys = QKeySequence(Qt.CTRL + Qt.SHIFT + Qt.Key_V)
menu.addAction("Copy", self.copy, copy_keys)
menu.addAction("Paste", self.paste, paste_keys)
menu.exec_(QCursor.pos())
def paste(self):
"""
Grabs clipboard contents then writes to the REPL.
"""
clipboard = QApplication.clipboard()
if clipboard and clipboard.text():
# normalize for Windows line-ends.
text = '\n'.join(clipboard.text().splitlines())
if text:
self.parse_paste(text)
def parse_paste(self, text):
"""
Recursively takes characters from text to be parsed as input. We do
this so the event loop has time to respond to output from the process
to which the characters are sent (for example, when a newline is sent).
Yes, this is a quick and dirty hack, but ensures the pasted input is
also evaluated in an interactive manner rather than as a single-shot
splurge of data. Essentially, it's simulating someone typing in the
characters of the pasted text *really fast* but in such a way that the
event loop cycles.
"""
character = text[0] # the current character to process.
remainder = text[1:] # remaining characters to process in the future.
if character.isprintable() or character in string.printable:
if character == '\n' or character == '\r':
self.parse_input(Qt.Key_Enter, character, None)
else:
self.parse_input(None, character, None)
if remainder:
# Schedule a recursive call of parse_paste with the remaining text
# to process. This allows the event loop to cycle and handle any
# output from the child process as a result of the text pasted so
# far (especially useful for handling responses from newlines).
QTimer.singleShot(2, lambda text=remainder: self.parse_paste(text))
def keyPressEvent(self, data):
"""
Called when the user types something in the REPL.
"""
key = data.key()
text = data.text()
modifiers = data.modifiers()
self.parse_input(key, text, modifiers)
def on_process_halt(self):
"""
Called when the the user has manually halted a running process. Ensures
that the remaining data from the halted process's stdout is handled
properly.
When the process is halted the user is dropped into the Python prompt
and this method ensures the UI is updated in a clean, non-blocking
way.
"""
data = self.process.readAll().data()
if data:
while True:
try:
self.append(data)
self.on_append_text.emit(data)
self.set_start_of_current_line()
break
except UnicodeDecodeError:
# Discard problematic start byte and try again.
# (This may be caused by a split in multi-byte characters).
data = data[1:]
def parse_input(self, key, text, modifiers):
"""
Correctly encodes user input and sends it to the connected process.
The key is a Qt.Key_Something value, text is the textual representation
of the input, and modifiers are the control keys (shift, CTRL, META,
etc) also used.
"""
msg = b'' # Eventually to be inserted into the pane at the cursor.
if key == Qt.Key_Enter or key == Qt.Key_Return:
msg = b'\n'
elif (platform.system() == 'Darwin' and
modifiers == Qt.MetaModifier) or \
(platform.system() != 'Darwin' and
modifiers == Qt.ControlModifier):
# Handle CTRL-C and CTRL-D
if self.process and self.running:
pid = self.process.processId()
# NOTE: Windows related constraints don't allow us to send a
# CTRL-C, rather, the process will just terminate.
halt_flag = False
if key == Qt.Key_C:
halt_flag = True
os.kill(pid, signal.SIGINT)
if key == Qt.Key_D:
halt_flag = True
self.process.kill()
if halt_flag:
# Clean up from kill signal.
self.process.readAll() # Discard queued output.
self.stdout_buffer = b''
# Schedule update of the UI after the process halts (in
# next iteration of the event loop).
QTimer.singleShot(1, self.on_process_halt)
return
elif key == Qt.Key_Up:
self.history_back()
elif key == Qt.Key_Down:
self.history_forward()
elif key == Qt.Key_Right:
cursor = self.textCursor()
cursor.movePosition(QTextCursor.Right)
self.setTextCursor(cursor)
elif key == Qt.Key_Left:
cursor = self.textCursor()
if cursor.position() > self.start_of_current_line:
cursor.movePosition(QTextCursor.Left)
self.setTextCursor(cursor)
elif key == Qt.Key_Home:
cursor = self.textCursor()
cursor.movePosition(QTextCursor.End)
buffer_len = len(self.toPlainText()) - self.start_of_current_line
for i in range(buffer_len):
cursor.movePosition(QTextCursor.Left)
self.setTextCursor(cursor)
elif key == Qt.Key_End:
cursor = self.textCursor()
cursor.movePosition(QTextCursor.End)
self.setTextCursor(cursor)
elif (modifiers == Qt.ControlModifier | Qt.ShiftModifier) or \
(platform.system() == 'Darwin' and
modifiers == Qt.ControlModifier):
# Command-key on Mac, Ctrl-Shift on Win/Lin
if key == Qt.Key_C:
self.copy()
elif key == Qt.Key_V:
self.paste()
elif text.isprintable():
# If the key is for a printable character then add it to the
# active buffer and display it.
msg = bytes(text, 'utf8')
if key == Qt.Key_Backspace:
self.backspace()
if key == Qt.Key_Delete:
self.delete()
if key == Qt.Key_Enter or key == Qt.Key_Return:
# First move cursor to the end of the line and insert newline in
# case return/enter is pressed while the cursor is in the
# middle of the line
cursor = self.textCursor()
cursor.movePosition(QTextCursor.End)
self.setTextCursor(cursor)
self.insert(msg)
# Then write line to std_in and add to history
content = self.toPlainText()
line = content[self.start_of_current_line:].encode('utf-8')
self.write_to_stdin(line)
if line.strip():
self.input_history.append(line.replace(b'\n', b''))
self.history_position = 0
self.set_start_of_current_line()
elif not self.isReadOnly() and msg:
self.insert(msg)
def set_start_of_current_line(self):
"""
Set the flag to indicate the start of the current line (used before
waiting for input).
This flag is used to discard the preceeding text in the text entry
field when Mu parses new input from the user (i.e. any text beyond the
self.start_of_current_line).
"""
self.start_of_current_line = len(self.toPlainText())
def history_back(self):
"""
Replace the current input line with the next item BACK from the
current history position.
"""
if self.input_history:
self.history_position -= 1
history_pos = len(self.input_history) + self.history_position
if history_pos < 0:
self.history_position += 1
history_pos = 0
history_item = self.input_history[history_pos]
self.replace_input_line(history_item)
def history_forward(self):
"""
Replace the current input line with the next item FORWARD from the
current history position.
"""
if self.input_history:
self.history_position += 1
history_pos = len(self.input_history) + self.history_position
if history_pos >= len(self.input_history):
# At the most recent command.
self.history_position = 0
self.clear_input_line()
return
history_item = self.input_history[history_pos]
self.replace_input_line(history_item)
def try_read_from_stdout(self):
"""
Ensure reading from stdout only happens if there is NOT already current
attempts to read from stdout.
"""
if not self.reading_stdout:
self.reading_stdout = True
self.read_from_stdout()
def read_from_stdout(self):
"""
Process incoming data from the process's stdout.
"""
data = self.process.read(256)
if data:
data = self.stdout_buffer + data
try:
self.append(data)
self.on_append_text.emit(data)
self.set_start_of_current_line()
self.stdout_buffer = b''
except UnicodeDecodeError:
self.stdout_buffer = data
QTimer.singleShot(2, self.read_from_stdout)
else:
self.reading_stdout = False
def write_to_stdin(self, data):
"""
Writes data from the Qt application to the child process's stdin.
"""
if self.process:
self.process.write(data)
def append(self, msg):
"""
Append text to the text area.
"""
cursor = self.textCursor()
cursor.movePosition(QTextCursor.End)
cursor.insertText(msg.decode('utf-8'))
cursor.movePosition(QTextCursor.End)
self.setTextCursor(cursor)
def insert(self, msg):
"""
Insert text to the text area at the current cursor position.
"""
cursor = self.textCursor()
if cursor.position() < self.start_of_current_line:
cursor.movePosition(QTextCursor.End)
cursor.insertText(msg.decode('utf-8'))
self.setTextCursor(cursor)
def backspace(self):
"""
Removes a character from the current buffer -- to the left of cursor.
"""
cursor = self.textCursor()
if cursor.position() > self.start_of_current_line:
cursor = self.textCursor()
cursor.deletePreviousChar()
self.setTextCursor(cursor)
def delete(self):
"""
Removes a character from the current buffer -- to the right of cursor.
"""
cursor = self.textCursor()
if cursor.position() >= self.start_of_current_line:
cursor.deleteChar()
self.setTextCursor(cursor)
def clear_input_line(self):
"""
Remove all the characters currently in the input buffer line.
"""
cursor = self.textCursor()
cursor.movePosition(QTextCursor.End)
buffer_len = len(self.toPlainText()) - self.start_of_current_line
for i in range(buffer_len):
cursor.deletePreviousChar()
self.setTextCursor(cursor)
def replace_input_line(self, text):
"""
Replace the current input line with the passed in text.
"""
self.clear_input_line()
self.append(text)
def set_font_size(self, new_size=DEFAULT_FONT_SIZE):
"""
Sets the font size for all the textual elements in this pane.
"""
f = self.font()
f.setPointSize(new_size)
self.setFont(f)
def set_zoom(self, size):
"""
Set the current zoom level given the "t-shirt" size.
"""
self.set_font_size(PANE_ZOOM_SIZES[size])
def set_theme(self, theme):
pass
class DebugInspectorItem(QStandardItem):
def __init__(self, *args):
super().__init__(*args)
self.setEditable(False)
class DebugInspector(QTreeView):
"""
Presents a tree like representation of the current state of the call stack
to the user.
"""
def __init__(self):
super().__init__()
self.setUniformRowHeights(True)
self.setSelectionBehavior(QTreeView.SelectRows)
def set_font_size(self, new_size=DEFAULT_FONT_SIZE):
"""
Sets the font size for all the textual elements in this pane.
"""
stylesheet = ("QWidget{font-size: " + str(new_size) +
"pt; font-family: Monospace;}")
self.setStyleSheet(stylesheet)
def set_zoom(self, size):
"""
Set the current zoom level given the "t-shirt" size.
"""
self.set_font_size(PANE_ZOOM_SIZES[size])
def set_theme(self, theme):
pass
class PlotterPane(QChartView):
"""
This plotter widget makes viewing sensor data easy!
This widget represents a chart that will look for tuple data from
the MicroPython REPL, Python 3 REPL or Python 3 code runner and will
auto-generate a graph.
"""
data_flood = pyqtSignal()
def __init__(self, parent=None):
super().__init__(parent)
# Holds the raw input to be checked for actionable data to display.
self.input_buffer = []
# Holds the raw actionable data detected while plotting.
self.raw_data = []
self.setObjectName('plotterpane')
self.max_x = 100 # Maximum value along x axis
self.max_y = 1000 # Maximum value +/- along y axis
self.flooded = False # Flag to indicate if data flooding is happening.
# Holds deques for each slot of incoming data (assumes 1 to start with)
self.data = [deque([0] * self.max_x), ]
# Holds line series for each slot of incoming data (assumes 1 to start
# with).
self.series = [QLineSeries(), ]
# Ranges used for the Y axis (up to 1000, after which we just double
# the range).
self.y_ranges = [1, 5, 10, 25, 50, 100, 250, 500, 1000]
# Set up the chart with sensible defaults.
self.chart = QChart()
self.chart.legend().hide()
self.chart.addSeries(self.series[0])
self.axis_x = QValueAxis()
self.axis_y = QValueAxis()
self.axis_x.setRange(0, self.max_x)
self.axis_y.setRange(-self.max_y, self.max_y)
self.axis_x.setLabelFormat("time")
self.axis_y.setLabelFormat("%d")
self.chart.setAxisX(self.axis_x, self.series[0])
self.chart.setAxisY(self.axis_y, self.series[0])
self.setChart(self.chart)
self.setRenderHint(QPainter.Antialiasing)
def process_bytes(self, data):
"""
Takes raw bytes and, if a valid tuple is detected, adds the data to
the plotter.
The the length of the bytes data > 1024 then a data_flood signal is
emitted to ensure Mu can take action to remain responsive.
"""
# Data flooding guards.
if self.flooded:
return
if len(data) > 1024:
self.flooded = True
self.data_flood.emit()
return
data = data.replace(b'\r\n', b'\n')
self.input_buffer.append(data)
# Check if the data contains a Python tuple, containing numbers, on a
# single line (i.e. ends with \n).
input_bytes = b''.join(self.input_buffer)
lines = input_bytes.split(b'\n')
for line in lines:
if line.startswith(b'(') and line.endswith(b')'):
# Candidate tuple. Extract the raw bytes into a numeric tuple.
raw_values = [val.strip() for val in line[1:-1].split(b',')]
numeric_values = []
for raw in raw_values:
try:
numeric_values.append(int(raw))
# It worked, so move onto the next value.
continue
except ValueError:
# Try again as a float.
pass
try:
numeric_values.append(float(raw))
except ValueError:
# Not an int or float, so ignore this value.
continue
if numeric_values:
# There were numeric values in the tuple, so use them!
self.add_data(tuple(numeric_values))
# Reset the input buffer.
self.input_buffer = []
if lines[-1]:
# Append any bytes that are not yet at the end of a line, for
# processing next time we read data from self.serial.
self.input_buffer.append(lines[-1])
def add_data(self, values):
"""
Given a tuple of values, ensures there are the required number of line
series, add the data to the line series, update the range of the chart
so the chart displays nicely.
"""
# Store incoming data to dump as CSV at the end of the session.
self.raw_data.append(values)
# Check the number of incoming values.
if len(values) != len(self.series):
# Adjust the number of line series.
value_len = len(values)
series_len = len(self.series)
if value_len > series_len:
# Add new line series.
for i in range(value_len - series_len):
new_series = QLineSeries()
self.chart.addSeries(new_series)
self.chart.setAxisX(self.axis_x, new_series)
self.chart.setAxisY(self.axis_y, new_series)
self.series.append(new_series)
self.data.append(deque([0] * self.max_x))
else:
# Remove old line series.
for old_series in self.series[value_len:]:
self.chart.removeSeries(old_series)
self.series = self.series[:value_len]
self.data = self.data[:value_len]
# Add the incoming values to the data to be displayed, and compute
# max range.
max_ranges = []
for i, value in enumerate(values):
self.data[i].appendleft(value)
max_ranges.append(max([max(self.data[i]), abs(min(self.data[i]))]))
if len(self.data[i]) > self.max_x:
self.data[i].pop()
# Re-scale y-axis.
max_y_range = max(max_ranges)
y_range = bisect.bisect_left(self.y_ranges, max_y_range)
if y_range < len(self.y_ranges):
self.max_y = self.y_ranges[y_range]
elif max_y_range > self.max_y:
self.max_y += self.max_y
elif max_y_range < self.max_y / 2:
self.max_y = self.max_y / 2
self.axis_y.setRange(-self.max_y, self.max_y)
# Ensure floats are used to label y axis if the range is small.
if self.max_y <= 5:
self.axis_y.setLabelFormat("%2.2f")
else:
self.axis_y.setLabelFormat("%d")
# Update the line series with the data.
for i, line_series in enumerate(self.series):
line_series.clear()
xy_vals = []
for j in range(self.max_x):
val = self.data[i][self.max_x - 1 - j]
xy_vals.append((j, val))
for point in xy_vals:
line_series.append(*point)
def set_theme(self, theme):
"""
Sets the theme / look for the plotter pane.
"""
if theme == 'day':
self.chart.setTheme(QChart.ChartThemeLight)
elif theme == 'night':
self.chart.setTheme(QChart.ChartThemeDark)
else:
self.chart.setTheme(QChart.ChartThemeHighContrast)
|