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
|
# -*- coding: utf-8 -*-
# -----------------------------------------------------------------------------
# Copyright (c) 2009- Spyder Kernels Contributors
#
# Licensed under the terms of the MIT License
# (see spyder_kernels/__init__.py for details)
# -----------------------------------------------------------------------------
"""
Spyder kernel for Jupyter.
"""
# Standard library imports
import faulthandler
import json
import logging
import os
import re
import sys
import traceback
import tempfile
import threading
import inspect
import cloudpickle
# Third-party imports
from ipykernel.ipkernel import IPythonKernel
from ipykernel import get_connection_info
from IPython.core import release as ipython_release
from packaging.version import parse as parse_version
from traitlets.config.loader import Config, LazyConfigValue
import zmq
from zmq.utils.garbage import gc
# Local imports
import spyder_kernels
from spyder_kernels.comms.commbase import stacksummary_to_json
from spyder_kernels.comms.frontendcomm import FrontendComm
from spyder_kernels.comms.decorators import (
register_comm_handlers, comm_handler)
from spyder_kernels.utils.pythonenv import (
get_env_dir,
is_conda_env,
is_pixi_env,
is_pyenv_env,
PythonEnvInfo,
PythonEnvType,
)
from spyder_kernels.utils.iofuncs import iofunctions
from spyder_kernels.utils.mpl import automatic_backend, MPL_BACKENDS_TO_SPYDER
from spyder_kernels.utils.nsview import (
get_remote_data, make_remote_view, get_size)
from spyder_kernels.utils.style import create_pygments_dict, create_style_class
from spyder_kernels.console.shell import SpyderShell
from spyder_kernels.comms.utils import WriteContext
logger = logging.getLogger(__name__)
# Excluded variables from the Variable Explorer (i.e. they are not
# shown at all there)
EXCLUDED_NAMES = ['In', 'Out', 'exit', 'get_ipython', 'quit']
class SpyderKernel(IPythonKernel):
"""Spyder kernel for Jupyter."""
shell_class = SpyderShell
def __init__(self, *args, **kwargs):
super(SpyderKernel, self).__init__(*args, **kwargs)
self.comm_manager.get_comm = self._get_comm
self.frontend_comm = FrontendComm(self)
# All functions that can be called through the comm
register_comm_handlers(self, self.frontend_comm)
register_comm_handlers(self.shell, self.frontend_comm)
self.namespace_view_settings = {}
self.faulthandler_handle = None
self._cwd_initialised = False
# Add handlers to control to process messages while debugging
self.control_handlers['comm_msg'] = self.control_comm_msg
self.control_handlers['complete_request'] = self.shell_handlers[
'complete_request']
# Socket to signal shell_stream locally
self.loopback_socket = None
# To track the interactive backend
self.interactive_backend = None
# To save the python env info
self.pythonenv_info: PythonEnvInfo = {}
# Store original sys.path. Kernels are started with PYTHONPATH
# removed from environment variables, so this will never have
# user paths and should be clean.
self._sys_path = sys.path.copy()
@property
def kernel_info(self):
# Used for checking correct version by spyder
infos = super().kernel_info
infos.update({
"spyder_kernels_info": (
spyder_kernels.__version__,
sys.executable
)
})
return infos
# -- Public API -----------------------------------------------------------
def frontend_call(self, blocking=False, broadcast=True,
timeout=None, callback=None, display_error=False):
"""Call the frontend."""
# If not broadcast, send only to the calling comm
if broadcast:
comm_id = None
else:
comm_id = self.frontend_comm.calling_comm_id
return self.frontend_comm.remote_call(
blocking=blocking,
comm_id=comm_id,
callback=callback,
timeout=timeout,
display_error=display_error)
def get_state(self):
""""get current state to send to the frontend"""
state = {}
with WriteContext("get_state"):
if self._cwd_initialised:
state["cwd"] = self.get_cwd()
state["namespace_view"] = self.get_namespace_view()
state["var_properties"] = self.get_var_properties()
return state
def publish_state(self):
"""Publish the current kernel state"""
if not self.frontend_comm.is_open():
# No one to send to
return
try:
self.frontend_call(blocking=False).update_state(self.get_state())
except Exception:
pass
def enable_faulthandler(self):
"""
Open a file to save the faulthandling and identifiers for
internal threads.
"""
fault_dir = None
if sys.platform.startswith('linux'):
# Do not use /tmp for temporary files
try:
from xdg.BaseDirectory import xdg_data_home
fault_dir = os.path.join(xdg_data_home, "spyder")
os.makedirs(fault_dir, exist_ok=True)
except Exception:
fault_dir = None
self.faulthandler_handle = tempfile.NamedTemporaryFile(
'wt', suffix='.fault', dir=fault_dir
)
main_id = threading.main_thread().ident
system_ids = [
thread.ident for thread in threading.enumerate()
if thread is not threading.main_thread()
]
faulthandler.enable(self.faulthandler_handle)
return self.faulthandler_handle.name, main_id, system_ids
@comm_handler
def safe_exec(self, filename):
"""Safely execute a file using IPKernelApp._exec_file."""
self.parent._exec_file(filename)
@comm_handler
def get_fault_text(self, fault_filename, main_id, ignore_ids):
"""Get fault text from old run."""
# Read file
try:
with open(fault_filename, 'r') as f:
fault = f.read()
except FileNotFoundError:
return
except UnicodeDecodeError as e:
return (
"Can not read fault file!\n"
+ "UnicodeDecodeError: " + str(e))
# Remove file
try:
os.remove(fault_filename)
except Exception:
pass
# Process file
if not fault:
return
thread_regex = (
r"(Current thread|Thread) "
r"(0x[\da-f]+) \(most recent call first\):"
r"(?:.|\r\n|\r|\n)+?(?=Current thread|Thread|\Z)")
# Keep line for future improvements
# files_regex = r"File \"([^\"]+)\", line (\d+) in (\S+)"
text = ""
start_idx = 0
for idx, match in enumerate(re.finditer(thread_regex, fault)):
# Add anything non-matched
text += fault[start_idx:match.span()[0]]
start_idx = match.span()[1]
thread_id = int(match.group(2), base=16)
if thread_id != main_id:
if thread_id in ignore_ids:
continue
if "wurlitzer.py" in match.group(0):
# Wurlitzer threads are launched later
continue
text += "\n" + match.group(0) + "\n"
else:
try:
pattern = (r".*(?:/IPython/core/interactiveshell\.py|"
r"\\IPython\\core\\interactiveshell\.py).*")
match_internal = next(re.finditer(pattern, match.group(0)))
end_idx = match_internal.span()[0]
except StopIteration:
end_idx = None
text += "\nMain thread:\n" + match.group(0)[:end_idx] + "\n"
# Add anything after match
text += fault[start_idx:]
return text
def get_system_threads_id(self):
"""Return the list of system threads id."""
ignore_threads = [
self.parent.poller, # Parent poller
self.shell.history_manager.save_thread, # history
self.parent.heartbeat, # heartbeat
self.parent.iopub_thread.thread, # iopub
gc.thread, # ZMQ garbage collector thread
self.parent.control_thread, # control
]
return [
thread.ident for thread in ignore_threads if thread is not None]
def filter_stack(self, stack, is_main):
"""Return the part of the stack the user needs to see."""
# Remove wurlitzer frames
for frame_summary in stack:
if "wurlitzer.py" in frame_summary.filename:
return
# Cleanup main thread
if is_main:
start_idx = -1
for idx in range(len(stack)):
if stack[idx].filename.endswith(
("IPython/core/interactiveshell.py",
"IPython\\core\\interactiveshell.py")):
start_idx = idx + 1
if start_idx != -1:
stack = stack[start_idx:]
else:
stack = []
return stack
@comm_handler
def get_current_frames(self, ignore_internal_threads=True):
"""Get the current frames."""
ignore_list = self.get_system_threads_id()
main_id = threading.main_thread().ident
stack_dict = {}
thread_names = {thread.ident: thread.name
for thread in threading.enumerate()}
for thread_id, frame in sys._current_frames().items():
stack = traceback.StackSummary.extract(
traceback.walk_stack(frame))
stack.reverse()
if ignore_internal_threads:
if thread_id in ignore_list:
continue
stack = self.filter_stack(stack, main_id == thread_id)
if stack is not None:
if thread_id in thread_names:
thread_name = thread_names[thread_id]
else:
thread_name = str(thread_id)
# Transform stack in a dict because FrameSummary objects
# are not compatible between versions of Python
stack_dict[thread_name] = stacksummary_to_json(stack)
return stack_dict
# --- For the Variable Explorer
@comm_handler
def get_namespace_view(self, frame=None):
"""
Return the namespace view
This is a dictionary with the following structure
{'a':
{
'type': 'str',
'size': 1,
'view': '1',
'python_type': 'int',
'numpy_type': 'Unknown'
}
}
Here:
* 'a' is the variable name.
* 'type' and 'size' are self-evident.
* 'view' is its value or its repr computed with
`value_to_display`.
* 'python_type' is its Python type computed with
`get_type_string`.
* 'numpy_type' is its Numpy type (if any) computed with
`get_numpy_type_string`.
"""
settings = self.namespace_view_settings
if settings:
ns = self.shell._get_current_namespace(frame=frame)
view = make_remote_view(ns, settings, EXCLUDED_NAMES)
return view
else:
return None
@comm_handler
def get_var_properties(self):
"""
Get some properties of the variables in the current
namespace
"""
settings = self.namespace_view_settings
if settings:
ns = self.shell._get_current_namespace()
data = get_remote_data(ns, settings, mode='editable',
more_excluded_names=EXCLUDED_NAMES)
properties = {}
for name, value in list(data.items()):
properties[name] = {
'is_list': self._is_list(value),
'is_dict': self._is_dict(value),
'is_set': self._is_set(value),
'len': self._get_len(value),
'is_array': self._is_array(value),
'is_image': self._is_image(value),
'is_data_frame': self._is_data_frame(value),
'is_series': self._is_series(value),
'array_shape': self._get_array_shape(value),
'array_ndim': self._get_array_ndim(value)
}
return properties
else:
return None
@comm_handler
def get_value(self, name, encoded=False):
"""Get the value of a variable"""
ns = self.shell._get_current_namespace()
value = ns[name]
if str(type(value)) == "<class 'polars.dataframe.frame.DataFrame'>":
# Convert polars dataframes to pandas
value = value.to_pandas()
if encoded:
# Encode with cloudpickle
value = cloudpickle.dumps(value)
return value
@comm_handler
def set_value(self, name, value, encoded=False):
"""Set the value of a variable"""
if encoded:
# Decode_value
value = cloudpickle.loads(value)
ns = self.shell._get_reference_namespace(name)
ns[name] = value
self.log.debug(ns)
@comm_handler
def remove_value(self, name):
"""Remove a variable"""
ns = self.shell._get_reference_namespace(name)
ns.pop(name)
@comm_handler
def copy_value(self, orig_name, new_name):
"""Copy a variable"""
ns = self.shell._get_reference_namespace(orig_name)
ns[new_name] = ns[orig_name]
@comm_handler
def load_data(self, filename, ext, overwrite=False):
"""
Load data from filename.
Use 'overwrite' to determine if conflicts between variable names need
to be handle or not.
For example, if a loaded variable is call 'var'
and there is already a variable 'var' in the namespace, having
'overwrite=True' will cause 'var' to be updated.
In the other hand, with 'overwrite=False', a new variable will be
created with a sufix starting with 000 i.e 'var000' (default behavior).
"""
from spyder_kernels.utils.misc import fix_reference_name
glbs = self.shell.user_ns
load_func = iofunctions.load_funcs[ext]
data, error_message = load_func(filename)
if error_message:
return error_message
if not overwrite:
# We convert to list since we mutate this dictionary
for key in list(data.keys()):
new_key = fix_reference_name(key, blacklist=list(glbs.keys()))
if new_key != key:
data[new_key] = data.pop(key)
try:
glbs.update(data)
except Exception as error:
return str(error)
return None
@comm_handler
def save_namespace(self, filename):
"""Save namespace into filename"""
ns = self.shell._get_current_namespace()
settings = self.namespace_view_settings
data = get_remote_data(ns, settings, mode='picklable',
more_excluded_names=EXCLUDED_NAMES).copy()
return iofunctions.save(data, filename)
# --- For Pdb
async def _do_complete(self, code, cursor_pos):
"""Call parent class do_complete"""
super_method = super().do_complete
# handle async def do_comlpete
if inspect.iscoroutinefunction(super_method):
return await super_method(code, cursor_pos)
result = super_method(code, cursor_pos)
# handle sync do_complete, returns a Future.
if inspect.isawaitable(result):
result = await result
return result
def do_complete(self, code, cursor_pos):
"""
Call PdB complete if we are debugging.
Public method of ipykernel overwritten for debugging.
"""
if self.shell.is_debugging():
return self.shell.pdb_session.do_complete(code, cursor_pos)
return self._do_complete(code, cursor_pos)
def interrupt_eventloop(self):
"""
Interrupts the eventloop.
To be used when the main thread is blocked by a call to self.eventloop.
This can be called from another thread, e.g. the control thread.
note:
Interrupting the eventloop is only implemented when a message is
received on the shell channel, but this message is queued and
won't be processed because an `execute` message is being
processed.
"""
if not self.eventloop:
return
if self.loopback_socket is None:
# Add socket to signal shell_stream locally
self.loopback_socket = self.shell_stream.socket.context.socket(
zmq.DEALER)
port = json.loads(get_connection_info())['shell_port']
self.loopback_socket.connect("tcp://127.0.0.1:%i" % port)
# Add dummy handler
self.shell_handlers["interrupt_eventloop"] = (
lambda stream, ident, parent: None)
self.session.send(
self.loopback_socket, self.session.msg("interrupt_eventloop"))
# --- For the Help plugin
@comm_handler
def is_defined(self, obj, force_import=False):
"""Return True if object is defined in current namespace"""
from spyder_kernels.utils.dochelpers import isdefined
ns = self.shell._get_current_namespace(with_magics=True)
return isdefined(obj, force_import=force_import, namespace=ns)
@comm_handler
def get_doc(self, objtxt):
"""Get object documentation dictionary"""
try:
import matplotlib
matplotlib.rcParams['docstring.hardcopy'] = True
except:
pass
from spyder_kernels.utils.dochelpers import getdoc
obj, valid = self._eval(objtxt)
if valid:
return getdoc(obj)
@comm_handler
def get_source(self, objtxt):
"""Get object source"""
from spyder_kernels.utils.dochelpers import getsource
obj, valid = self._eval(objtxt)
if valid:
return getsource(obj)
# -- For Matplolib
@comm_handler
def get_matplotlib_backend(self):
"""Get current matplotlib backend."""
try:
import matplotlib
return MPL_BACKENDS_TO_SPYDER[matplotlib.get_backend().lower()]
except Exception:
return None
@comm_handler
def get_mpl_interactive_backend(self):
"""
Get current Matplotlib interactive backend.
This is different from the current backend because, for instance, the
user can set first the Qt backend, then the Inline one. In that case,
the current backend is Inline, but the current interactive one is Qt,
and this backend can't be changed without a kernel restart.
"""
# Backends that Spyder can handle
recognized_backends = {'qt', 'tk', 'macosx'}
# --- Return backend according to framework
if self.interactive_backend is None:
# Since no interactive backend has been set yet, this is equivalent
# to having the inline one.
return 'inline'
elif self.interactive_backend in recognized_backends:
return self.interactive_backend
else:
# This covers the case of other backends (e.g. Wx or Gtk)
# which users can set interactively with the %matplotlib
# magic but not through our Preferences.
return -1
@comm_handler
def set_matplotlib_conf(self, conf):
"""Set matplotlib configuration"""
pylab_autoload_n = 'pylab/autoload'
pylab_backend_n = 'pylab/backend'
figure_format_n = 'pylab/inline/figure_format'
resolution_n = 'pylab/inline/resolution'
width_n = 'pylab/inline/width'
height_n = 'pylab/inline/height'
fontsize_n = 'pylab/inline/fontsize'
bottom_n = 'pylab/inline/bottom'
bbox_inches_n = 'pylab/inline/bbox_inches'
if figure_format_n in conf:
self._set_inline_config_option(
'figure_formats', conf[figure_format_n]
)
inline_rc = {}
if resolution_n in conf:
inline_rc.update({'figure.dpi': conf[resolution_n]})
if width_n in conf or height_n in conf:
inline_rc.update(
{'figure.figsize': (conf[width_n], conf[height_n])}
)
if fontsize_n in conf:
inline_rc.update({'font.size': conf[fontsize_n]})
if bottom_n in conf:
inline_rc.update({'figure.subplot.bottom': conf[bottom_n]})
# Update Inline backend parameters, if available.
if inline_rc:
self._set_inline_config_option('rc', inline_rc)
if bbox_inches_n in conf:
bbox_inches = 'tight' if conf[bbox_inches_n] else None
self._set_inline_config_option(
'print_figure_kwargs', {'bbox_inches': bbox_inches}
)
# Only update backend if it has changed or if autoloading pylab.
pylab_autoload_o = conf.get(pylab_autoload_n, False)
current_backend = self.get_matplotlib_backend()
pylab_backend_o = conf.get(pylab_backend_n, current_backend)
backend_changed = current_backend != pylab_backend_o
if pylab_autoload_o or backend_changed:
self._set_mpl_backend(pylab_backend_o, pylab_autoload_o)
# -- For completions
def set_jedi_completer(self, use_jedi):
"""Enable/Disable jedi as the completer for the kernel."""
self._set_config_option('IPCompleter.use_jedi', use_jedi)
def set_greedy_completer(self, use_greedy):
"""Enable/Disable greedy completer for the kernel."""
self._set_config_option('IPCompleter.greedy', use_greedy)
def set_autocall(self, autocall):
"""Enable/Disable autocall funtionality."""
self._set_config_option('ZMQInteractiveShell.autocall', autocall)
# --- Additional methods
@comm_handler
def set_configuration(self, conf):
"""Set kernel configuration"""
ret = {}
for key, value in conf.items():
if key == "cwd":
self._cwd_initialised = True
os.chdir(value)
self.publish_state()
elif key == "namespace_view_settings":
self.namespace_view_settings = value
self.publish_state()
elif key == "pdb":
self.shell.set_pdb_configuration(value)
elif key == "faulthandler":
if value:
ret[key] = self.enable_faulthandler()
elif key == "special_kernel":
try:
self.set_special_kernel(value)
except Exception:
ret["special_kernel_error"] = value
elif key == "color scheme":
self.set_color_scheme(value)
elif key == "traceback_highlight_style":
# This doesn't work in Python 3.8 because the last IPython
# version compatible with it doesn't allow to customize the
# syntax highlighting scheme used for tracebacks.
# Fixes spyder-ide/spyder#23484
if sys.version_info >= (3, 9):
self.set_traceback_syntax_highlighting(value)
elif key == "jedi_completer":
self.set_jedi_completer(value)
elif key == "greedy_completer":
self.set_greedy_completer(value)
elif key == "autocall":
self.set_autocall(value)
elif key == "matplotlib":
self.set_matplotlib_conf(value)
elif key == "update_gui":
self.shell.update_gui_frontend = value
elif key == "wurlitzer":
if value:
self._load_wurlitzer()
elif key == "autoreload_magic":
self._autoreload_magic(value)
return ret
def set_color_scheme(self, color_scheme):
self.shell.set_spyder_theme(color_scheme)
self.set_sympy_forecolor(background_color=color_scheme)
self.set_traceback_highlighting(color_scheme)
def set_traceback_highlighting(self, color_scheme):
"""Set the traceback highlighting color."""
color = 'bg:ansired' if color_scheme == 'dark' else 'bg:ansiyellow'
from IPython.core.ultratb import VerboseTB
if getattr(VerboseTB, 'tb_highlight', None) is not None:
VerboseTB.tb_highlight = color
elif getattr(VerboseTB, '_tb_highlight', None) is not None:
VerboseTB._tb_highlight = color
def set_traceback_syntax_highlighting(self, syntax_style):
"""Set the traceback syntax highlighting style."""
if parse_version(ipython_release.version) >= parse_version("9.0"):
# Create spyder theme definition and set it (IPython 9.x+)
import IPython.utils.PyColorize
from IPython.utils.PyColorize import (
Theme,
linux_theme,
neutral_theme,
)
base = "default"
extra_style = neutral_theme.extra_style
if self.shell.get_spyder_theme() == "dark":
base = "monokai"
extra_style = linux_theme.extra_style
extra_style.update(create_pygments_dict(syntax_style))
theme = Theme("spyder_theme", base, extra_style)
IPython.utils.PyColorize.theme_table["spyder_theme"] = theme
self.shell.run_line_magic("colors", "spyder_theme")
else:
# Use `tb_highlight_style` class attribute to set the style (
# IPython 8.x)
import IPython.core.ultratb
from IPython.core.ultratb import VerboseTB
IPython.core.ultratb.get_style_by_name = create_style_class
if getattr(VerboseTB, "tb_highlight_style", None) is not None:
VerboseTB.tb_highlight_style = syntax_style
elif getattr(VerboseTB, "_tb_highlight_style", None) is not None:
VerboseTB._tb_highlight_style = syntax_style
def get_cwd(self):
"""Get current working directory."""
try:
return os.getcwd()
except (IOError, OSError):
pass
@comm_handler
def get_syspath(self):
"""Return sys.path contents."""
return sys.path[:]
@comm_handler
def get_env(self):
"""Get environment variables."""
return os.environ.copy()
@comm_handler
def close_all_mpl_figures(self):
"""Close all Matplotlib figures."""
try:
import matplotlib.pyplot as plt
plt.close('all')
except:
pass
def set_special_kernel(self, special):
"""
Check if optional dependencies are available for special consoles.
"""
self.shell.special = None
if special is None:
return
if special == "pylab":
import matplotlib # noqa
exec("from pylab import *", self.shell.user_ns)
self.shell.special = special
return
if special == "sympy":
import sympy # noqa
sympy_init = "\n".join([
"from sympy import *",
"x, y, z, t = symbols('x y z t')",
"k, m, n = symbols('k m n', integer=True)",
"f, g, h = symbols('f g h', cls=Function)",
"init_printing()",
])
exec(sympy_init, self.shell.user_ns)
self.shell.special = special
return
if special == "cython":
import cython # noqa
# Import pyximport to enable Cython files support for
# import statement
import pyximport
pyx_setup_args = {}
# Add Numpy include dir to pyximport/distutils
try:
import numpy
pyx_setup_args['include_dirs'] = numpy.get_include()
except Exception:
pass
# Setup pyximport and enable Cython files reload
pyximport.install(setup_args=pyx_setup_args,
reload_support=True)
self.shell.run_line_magic("reload_ext", "Cython")
self.shell.special = special
return
raise NotImplementedError(f"{special}")
@comm_handler
def update_syspath(self, new_path, prioritize):
"""
Update the PYTHONPATH of the kernel.
Parameters
----------
new_path: list of str
List of PYTHONPATH paths.
prioritize: bool
Whether to place PYTHONPATH paths at the front (True) or
back (False) of sys.path.
Notes
-----
A copy of sys.path is made at instantiation, which should be clean,
so we can just prepend/append to the copy without having to explicitly
remove old user paths. PYTHONPATH can just be overwritten.
"""
if new_path is not None:
# Overwrite PYTHONPATH
os.environ.update({'PYTHONPATH': os.pathsep.join(new_path)})
# Add new paths to original sys.path
if prioritize:
sys.path[:] = new_path + self._sys_path
# Ensure current directory is always first to imitate Python
# standard behavior
if '' in sys.path:
sys.path.remove('')
sys.path.insert(0, '')
else:
sys.path[:] = self._sys_path + new_path
else:
# Restore original sys.path and remove PYTHONPATH
sys.path[:] = self._sys_path
os.environ.pop('PYTHONPATH', None)
@comm_handler
def get_pythonenv_info(self):
"""Get the Python env info in which this kernel is installed."""
# We only need to compute this once
if not self.pythonenv_info:
path = sys.executable.replace("pythonw.exe", "python.exe")
if is_pixi_env(path):
env_type = PythonEnvType.Pixi
elif is_conda_env(pyexec=path):
env_type = PythonEnvType.Conda
elif is_pyenv_env(path):
env_type = PythonEnvType.PyEnv
else:
env_type = PythonEnvType.Custom
self.pythonenv_info = PythonEnvInfo(
path=path,
env_type=env_type,
name=get_env_dir(path, only_dir=True),
python_version=".".join(
[str(n) for n in sys.version_info[:3]]
),
# These keys are necessary to build the console banner in
# Spyder
ipython_version=ipython_release.version,
sys_version=sys.version,
)
return self.pythonenv_info
# -- Private API ---------------------------------------------------
# --- For the Variable Explorer
def _get_len(self, var):
"""Return sequence length"""
try:
return get_size(var)
except:
return None
def _is_array(self, var):
"""Return True if variable is a NumPy array"""
try:
import numpy
return isinstance(var, numpy.ndarray)
except:
return False
def _is_image(self, var):
"""Return True if variable is a PIL.Image image"""
try:
from PIL import Image
return isinstance(var, Image.Image)
except:
return False
def _is_data_frame(self, var):
"""Return True if variable is a DataFrame"""
try:
from pandas import DataFrame
return isinstance(var, DataFrame)
except:
return False
def _is_series(self, var):
"""Return True if variable is a Series"""
try:
from pandas import Series
return isinstance(var, Series)
except:
return False
def _is_list(self, var):
"""Return True if variable is a list or tuple."""
# The try/except is necessary to fix spyder-ide/spyder#19516.
try:
return isinstance(var, (tuple, list))
except Exception:
return False
def _is_dict(self, var):
"""Return True if variable is a dictionary."""
# The try/except is necessary to fix spyder-ide/spyder#19516.
try:
return isinstance(var, dict)
except Exception:
return False
def _is_set(self, var):
"""Return True if variable is a set."""
# The try/except is necessary to fix spyder-ide/spyder#19516.
try:
return isinstance(var, set)
except Exception:
return False
def _get_array_shape(self, var):
"""Return array's shape"""
try:
if self._is_array(var):
return var.shape
else:
return None
except:
return None
def _get_array_ndim(self, var):
"""Return array's ndim"""
try:
if self._is_array(var):
return var.ndim
else:
return None
except:
return None
# --- For the Help plugin
def _eval(self, text):
"""
Evaluate text and return (obj, valid)
where *obj* is the object represented by *text*
and *valid* is True if object evaluation did not raise any exception
"""
assert isinstance(text, str)
ns = self.shell._get_current_namespace(with_magics=True)
try:
return eval(text, ns), True
except:
return None, False
# --- For Matplotlib
def _set_mpl_backend(self, backend, pylab=False):
"""
Set a backend for Matplotlib.
backend: A parameter that can be passed to %matplotlib
(e.g. 'inline' or 'tk').
pylab: Is the pylab magic should be used in order to populate the
namespace from numpy and matplotlib
"""
import traceback
# Don't proceed further if there's any error while importing Matplotlib
try:
import matplotlib
except Exception:
return
generic_error = (
"\n" + "=" * 73 + "\n"
"NOTE: The following error appeared when setting "
"your Matplotlib backend!!\n" + "=" * 73 + "\n\n"
"{0}"
)
magic = 'pylab' if pylab else 'matplotlib'
if backend == "auto":
backend = automatic_backend()
error = None
try:
# This prevents Matplotlib to automatically set the backend, which
# overrides our own mechanism.
matplotlib.rcParams['backend'] = 'Agg'
# Set the backend
self.shell.run_line_magic(magic, backend)
except RuntimeError as err:
# This catches errors generated by ipykernel when
# trying to set a backend. See issue 5541
if "GUI eventloops" in str(err):
previous_backend = matplotlib.get_backend()
if backend not in previous_backend.lower():
# Only inform about an error if the user selected backend
# and the one set by Matplotlib are different. Else this
# message is very confusing.
error = (
"\n"
"NOTE: Spyder *can't* set your selected Matplotlib "
"backend because there is a previous backend already "
"in use.\n\n"
"Your backend will be {0}".format(previous_backend)
)
# This covers other RuntimeError's
else:
error = generic_error.format(traceback.format_exc())
except ImportError as err:
additional_info = (
"This is most likely caused by missing packages in the Python "
"environment\n"
"or installation whose interpreter is located at:\n\n"
" {0}"
).format(sys.executable)
error = generic_error.format(err) + '\n\n' + additional_info
except Exception:
error = generic_error.format(traceback.format_exc())
if error:
print(error)
def _set_config_option(self, option, value):
"""
Set config options using the %config magic.
As parameters:
option: config option, for example 'InlineBackend.figure_formats'.
value: value of the option, for example 'SVG', 'Retina', etc.
"""
try:
base_config = "{option} = "
value_line = (
"'{value}'" if isinstance(value, str) else "{value}")
config_line = base_config + value_line
self.shell.run_line_magic(
'config',
config_line.format(option=option, value=value))
except Exception:
pass
def _set_inline_config_option(self, option, value):
"""
Update InlineBackend given an option and value.
Parameters
----------
option: str
Configuration option. One of 'close_figures', 'figure_formats',
'print_figure_kwargs', or 'rc'.
value: str | dict
Value of the option.
"""
if (
'InlineBackend' in self.config
and option in self.config['InlineBackend']
and isinstance(value, dict)
):
self.config['InlineBackend'][option].update(value)
elif 'InlineBackend' in self.config:
self.config['InlineBackend'].update({option: value})
else:
self.config.update({'InlineBackend': Config({option: value})})
value = self.config['InlineBackend'][option]
if isinstance(value, LazyConfigValue):
value = value.to_dict().get('update') or value
self._set_config_option(f'InlineBackend.{option}', value)
if option == 'rc' and self.get_matplotlib_backend() == 'inline':
# Explicitly update rcParams if already in inline mode so that
# new settings are effective immediately.
try:
import matplotlib
matplotlib.rcParams.update(value)
except Exception:
pass
def restore_rc_file_defaults(self):
"""Restore inline rcParams to file defaults"""
try:
import matplotlib
except Exception:
return
if (
'InlineBackend' in self.config
and 'rc' in self.config['InlineBackend']
):
# Only restore keys that may have been set explicitly by
# _set_inline_config_option
for k in self.config['InlineBackend']['rc'].keys():
matplotlib.rcParams[k] = matplotlib.rcParamsOrig[k]
def set_sympy_forecolor(self, background_color='dark'):
"""Set SymPy forecolor depending on console background."""
if self.shell.special != "sympy":
return
try:
from sympy import init_printing
if background_color == 'dark':
init_printing(forecolor='White', ip=self.shell)
elif background_color == 'light':
init_printing(forecolor='Black', ip=self.shell)
except Exception:
pass
# --- Others
def _autoreload_magic(self, enable):
"""Load %autoreload magic."""
try:
if enable:
self.shell.run_line_magic('reload_ext', 'autoreload')
self.shell.run_line_magic('autoreload', "2")
else:
self.shell.run_line_magic('autoreload', "off")
except Exception:
pass
def _load_wurlitzer(self):
"""Load wurlitzer extension."""
# Wurlitzer has no effect on Windows
if not os.name == 'nt':
# Enclose this in a try/except because if it fails the
# console will be totally unusable.
# Fixes spyder-ide/spyder#8668
try:
self.shell.run_line_magic('reload_ext', 'wurlitzer')
except Exception:
pass
def _get_comm(self, comm_id):
"""
We need to redefine this method from ipykernel.comm_manager to
avoid showing a warning when the comm corresponding to comm_id
is not present.
Fixes spyder-ide/spyder#15498
"""
try:
return self.comm_manager.comms[comm_id]
except KeyError:
pass
def control_comm_msg(self, stream, ident, msg):
"""
Handler for comm_msg messages from control channel.
If comm is not open yet, cache message.
"""
content = msg['content']
comm_id = content['comm_id']
comm = self.comm_manager.get_comm(comm_id)
if comm is None:
self.frontend_comm.cache_message(comm_id, msg)
return
try:
comm.handle_msg(msg)
except Exception:
self.comm_manager.log.error(
'Exception in comm_msg for %s', comm_id, exc_info=True)
def pre_handler_hook(self):
"""Hook to execute before calling message handler"""
pass
def post_handler_hook(self):
"""Hook to execute after calling message handler"""
# keep ipykernel behavior of resetting sigint every call
self.shell.register_debugger_sigint()
# Reset tracing function so that pdb.set_trace works
sys.settrace(None)
|