Lab_1 #2
BIN
Лаб1/2024-09-26_19-32-16.png
Normal file
BIN
Лаб1/2024-09-26_19-32-16.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 248 KiB |
351
Лаб1/Lab1.ipynb
Normal file
351
Лаб1/Lab1.ipynb
Normal file
File diff suppressed because one or more lines are too long
163
Лаб1/aimenv/Lib/site-packages/IPython/__init__.py
Normal file
163
Лаб1/aimenv/Lib/site-packages/IPython/__init__.py
Normal file
@ -0,0 +1,163 @@
|
|||||||
|
# PYTHON_ARGCOMPLETE_OK
|
||||||
|
"""
|
||||||
|
IPython: tools for interactive and parallel computing in Python.
|
||||||
|
|
||||||
|
https://ipython.org
|
||||||
|
"""
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (c) 2008-2011, IPython Development Team.
|
||||||
|
# Copyright (c) 2001-2007, Fernando Perez <fernando.perez@colorado.edu>
|
||||||
|
# Copyright (c) 2001, Janko Hauser <jhauser@zscout.de>
|
||||||
|
# Copyright (c) 2001, Nathaniel Gray <n8gray@caltech.edu>
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
#
|
||||||
|
# The full license is in the file COPYING.txt, distributed with this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
import sys
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Setup everything
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# Don't forget to also update setup.py when this changes!
|
||||||
|
if sys.version_info < (3, 10):
|
||||||
|
raise ImportError(
|
||||||
|
"""
|
||||||
|
IPython 8.19+ supports Python 3.10 and above, following SPEC0.
|
||||||
|
IPython 8.13+ supports Python 3.9 and above, following NEP 29.
|
||||||
|
IPython 8.0-8.12 supports Python 3.8 and above, following NEP 29.
|
||||||
|
When using Python 2.7, please install IPython 5.x LTS Long Term Support version.
|
||||||
|
Python 3.3 and 3.4 were supported up to IPython 6.x.
|
||||||
|
Python 3.5 was supported with IPython 7.0 to 7.9.
|
||||||
|
Python 3.6 was supported with IPython up to 7.16.
|
||||||
|
Python 3.7 was still supported with the 7.x branch.
|
||||||
|
|
||||||
|
See IPython `README.rst` file for more information:
|
||||||
|
|
||||||
|
https://github.com/ipython/ipython/blob/main/README.rst
|
||||||
|
|
||||||
|
"""
|
||||||
|
)
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Setup the top level names
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
from .core.getipython import get_ipython
|
||||||
|
from .core import release
|
||||||
|
from .core.application import Application
|
||||||
|
from .terminal.embed import embed
|
||||||
|
|
||||||
|
from .core.interactiveshell import InteractiveShell
|
||||||
|
from .utils.sysinfo import sys_info
|
||||||
|
from .utils.frame import extract_module_locals
|
||||||
|
|
||||||
|
__all__ = ["start_ipython", "embed", "start_kernel", "embed_kernel"]
|
||||||
|
|
||||||
|
# Release data
|
||||||
|
__author__ = '%s <%s>' % (release.author, release.author_email)
|
||||||
|
__license__ = release.license
|
||||||
|
__version__ = release.version
|
||||||
|
version_info = release.version_info
|
||||||
|
# list of CVEs that should have been patched in this release.
|
||||||
|
# this is informational and should not be relied upon.
|
||||||
|
__patched_cves__ = {"CVE-2022-21699", "CVE-2023-24816"}
|
||||||
|
|
||||||
|
|
||||||
|
def embed_kernel(module=None, local_ns=None, **kwargs):
|
||||||
|
"""Embed and start an IPython kernel in a given scope.
|
||||||
|
|
||||||
|
If you don't want the kernel to initialize the namespace
|
||||||
|
from the scope of the surrounding function,
|
||||||
|
and/or you want to load full IPython configuration,
|
||||||
|
you probably want `IPython.start_kernel()` instead.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
module : types.ModuleType, optional
|
||||||
|
The module to load into IPython globals (default: caller)
|
||||||
|
local_ns : dict, optional
|
||||||
|
The namespace to load into IPython user namespace (default: caller)
|
||||||
|
**kwargs : various, optional
|
||||||
|
Further keyword args are relayed to the IPKernelApp constructor,
|
||||||
|
such as `config`, a traitlets :class:`Config` object (see :ref:`configure_start_ipython`),
|
||||||
|
allowing configuration of the kernel (see :ref:`kernel_options`). Will only have an effect
|
||||||
|
on the first embed_kernel call for a given process.
|
||||||
|
"""
|
||||||
|
|
||||||
|
(caller_module, caller_locals) = extract_module_locals(1)
|
||||||
|
if module is None:
|
||||||
|
module = caller_module
|
||||||
|
if local_ns is None:
|
||||||
|
local_ns = caller_locals
|
||||||
|
|
||||||
|
# Only import .zmq when we really need it
|
||||||
|
from ipykernel.embed import embed_kernel as real_embed_kernel
|
||||||
|
real_embed_kernel(module=module, local_ns=local_ns, **kwargs)
|
||||||
|
|
||||||
|
def start_ipython(argv=None, **kwargs):
|
||||||
|
"""Launch a normal IPython instance (as opposed to embedded)
|
||||||
|
|
||||||
|
`IPython.embed()` puts a shell in a particular calling scope,
|
||||||
|
such as a function or method for debugging purposes,
|
||||||
|
which is often not desirable.
|
||||||
|
|
||||||
|
`start_ipython()` does full, regular IPython initialization,
|
||||||
|
including loading startup files, configuration, etc.
|
||||||
|
much of which is skipped by `embed()`.
|
||||||
|
|
||||||
|
This is a public API method, and will survive implementation changes.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
argv : list or None, optional
|
||||||
|
If unspecified or None, IPython will parse command-line options from sys.argv.
|
||||||
|
To prevent any command-line parsing, pass an empty list: `argv=[]`.
|
||||||
|
user_ns : dict, optional
|
||||||
|
specify this dictionary to initialize the IPython user namespace with particular values.
|
||||||
|
**kwargs : various, optional
|
||||||
|
Any other kwargs will be passed to the Application constructor,
|
||||||
|
such as `config`, a traitlets :class:`Config` object (see :ref:`configure_start_ipython`),
|
||||||
|
allowing configuration of the instance (see :ref:`terminal_options`).
|
||||||
|
"""
|
||||||
|
from IPython.terminal.ipapp import launch_new_instance
|
||||||
|
return launch_new_instance(argv=argv, **kwargs)
|
||||||
|
|
||||||
|
def start_kernel(argv=None, **kwargs):
|
||||||
|
"""Launch a normal IPython kernel instance (as opposed to embedded)
|
||||||
|
|
||||||
|
`IPython.embed_kernel()` puts a shell in a particular calling scope,
|
||||||
|
such as a function or method for debugging purposes,
|
||||||
|
which is often not desirable.
|
||||||
|
|
||||||
|
`start_kernel()` does full, regular IPython initialization,
|
||||||
|
including loading startup files, configuration, etc.
|
||||||
|
much of which is skipped by `embed_kernel()`.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
argv : list or None, optional
|
||||||
|
If unspecified or None, IPython will parse command-line options from sys.argv.
|
||||||
|
To prevent any command-line parsing, pass an empty list: `argv=[]`.
|
||||||
|
user_ns : dict, optional
|
||||||
|
specify this dictionary to initialize the IPython user namespace with particular values.
|
||||||
|
**kwargs : various, optional
|
||||||
|
Any other kwargs will be passed to the Application constructor,
|
||||||
|
such as `config`, a traitlets :class:`Config` object (see :ref:`configure_start_ipython`),
|
||||||
|
allowing configuration of the kernel (see :ref:`kernel_options`).
|
||||||
|
"""
|
||||||
|
import warnings
|
||||||
|
|
||||||
|
warnings.warn(
|
||||||
|
"start_kernel is deprecated since IPython 8.0, use from `ipykernel.kernelapp.launch_new_instance`",
|
||||||
|
DeprecationWarning,
|
||||||
|
stacklevel=2,
|
||||||
|
)
|
||||||
|
from ipykernel.kernelapp import launch_new_instance
|
||||||
|
return launch_new_instance(argv=argv, **kwargs)
|
15
Лаб1/aimenv/Lib/site-packages/IPython/__main__.py
Normal file
15
Лаб1/aimenv/Lib/site-packages/IPython/__main__.py
Normal file
@ -0,0 +1,15 @@
|
|||||||
|
# PYTHON_ARGCOMPLETE_OK
|
||||||
|
# encoding: utf-8
|
||||||
|
"""Terminal-based IPython entry point.
|
||||||
|
"""
|
||||||
|
# -----------------------------------------------------------------------------
|
||||||
|
# Copyright (c) 2012, IPython Development Team.
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
#
|
||||||
|
# The full license is in the file COPYING.txt, distributed with this software.
|
||||||
|
# -----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
from IPython import start_ipython
|
||||||
|
|
||||||
|
start_ipython()
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
87
Лаб1/aimenv/Lib/site-packages/IPython/conftest.py
Normal file
87
Лаб1/aimenv/Lib/site-packages/IPython/conftest.py
Normal file
@ -0,0 +1,87 @@
|
|||||||
|
import builtins
|
||||||
|
import inspect
|
||||||
|
import os
|
||||||
|
import pathlib
|
||||||
|
import shutil
|
||||||
|
import sys
|
||||||
|
import types
|
||||||
|
|
||||||
|
import pytest
|
||||||
|
|
||||||
|
# Must register before it gets imported
|
||||||
|
pytest.register_assert_rewrite("IPython.testing.tools")
|
||||||
|
|
||||||
|
from .testing import tools
|
||||||
|
|
||||||
|
|
||||||
|
def pytest_collection_modifyitems(items):
|
||||||
|
"""This function is automatically run by pytest passing all collected test
|
||||||
|
functions.
|
||||||
|
|
||||||
|
We use it to add asyncio marker to all async tests and assert we don't use
|
||||||
|
test functions that are async generators which wouldn't make sense.
|
||||||
|
"""
|
||||||
|
for item in items:
|
||||||
|
if inspect.iscoroutinefunction(item.obj):
|
||||||
|
item.add_marker("asyncio")
|
||||||
|
assert not inspect.isasyncgenfunction(item.obj)
|
||||||
|
|
||||||
|
|
||||||
|
def get_ipython():
|
||||||
|
from .terminal.interactiveshell import TerminalInteractiveShell
|
||||||
|
if TerminalInteractiveShell._instance:
|
||||||
|
return TerminalInteractiveShell.instance()
|
||||||
|
|
||||||
|
config = tools.default_config()
|
||||||
|
config.TerminalInteractiveShell.simple_prompt = True
|
||||||
|
|
||||||
|
# Create and initialize our test-friendly IPython instance.
|
||||||
|
shell = TerminalInteractiveShell.instance(config=config)
|
||||||
|
return shell
|
||||||
|
|
||||||
|
|
||||||
|
@pytest.fixture(scope='session', autouse=True)
|
||||||
|
def work_path():
|
||||||
|
path = pathlib.Path("./tmp-ipython-pytest-profiledir")
|
||||||
|
os.environ["IPYTHONDIR"] = str(path.absolute())
|
||||||
|
if path.exists():
|
||||||
|
raise ValueError('IPython dir temporary path already exists ! Did previous test run exit successfully ?')
|
||||||
|
path.mkdir()
|
||||||
|
yield
|
||||||
|
shutil.rmtree(str(path.resolve()))
|
||||||
|
|
||||||
|
|
||||||
|
def nopage(strng, start=0, screen_lines=0, pager_cmd=None):
|
||||||
|
if isinstance(strng, dict):
|
||||||
|
strng = strng.get("text/plain", "")
|
||||||
|
print(strng)
|
||||||
|
|
||||||
|
|
||||||
|
def xsys(self, cmd):
|
||||||
|
"""Replace the default system call with a capturing one for doctest.
|
||||||
|
"""
|
||||||
|
# We use getoutput, but we need to strip it because pexpect captures
|
||||||
|
# the trailing newline differently from commands.getoutput
|
||||||
|
print(self.getoutput(cmd, split=False, depth=1).rstrip(), end="", file=sys.stdout)
|
||||||
|
sys.stdout.flush()
|
||||||
|
|
||||||
|
|
||||||
|
# for things to work correctly we would need this as a session fixture;
|
||||||
|
# unfortunately this will fail on some test that get executed as _collection_
|
||||||
|
# time (before the fixture run), in particular parametrized test that contain
|
||||||
|
# yields. so for now execute at import time.
|
||||||
|
#@pytest.fixture(autouse=True, scope='session')
|
||||||
|
def inject():
|
||||||
|
|
||||||
|
builtins.get_ipython = get_ipython
|
||||||
|
builtins._ip = get_ipython()
|
||||||
|
builtins.ip = get_ipython()
|
||||||
|
builtins.ip.system = types.MethodType(xsys, ip)
|
||||||
|
builtins.ip.builtin_trap.activate()
|
||||||
|
from .core import page
|
||||||
|
|
||||||
|
page.pager_page = nopage
|
||||||
|
# yield
|
||||||
|
|
||||||
|
|
||||||
|
inject()
|
12
Лаб1/aimenv/Lib/site-packages/IPython/consoleapp.py
Normal file
12
Лаб1/aimenv/Lib/site-packages/IPython/consoleapp.py
Normal file
@ -0,0 +1,12 @@
|
|||||||
|
"""
|
||||||
|
Shim to maintain backwards compatibility with old IPython.consoleapp imports.
|
||||||
|
"""
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
from warnings import warn
|
||||||
|
|
||||||
|
warn("The `IPython.consoleapp` package has been deprecated since IPython 4.0."
|
||||||
|
"You should import from jupyter_client.consoleapp instead.", stacklevel=2)
|
||||||
|
|
||||||
|
from jupyter_client.consoleapp import *
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
267
Лаб1/aimenv/Lib/site-packages/IPython/core/alias.py
Normal file
267
Лаб1/aimenv/Lib/site-packages/IPython/core/alias.py
Normal file
@ -0,0 +1,267 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""
|
||||||
|
System command aliases.
|
||||||
|
|
||||||
|
Authors:
|
||||||
|
|
||||||
|
* Fernando Perez
|
||||||
|
* Brian Granger
|
||||||
|
"""
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2008-2011 The IPython Development Team
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License.
|
||||||
|
#
|
||||||
|
# The full license is in the file COPYING.txt, distributed with this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
import os
|
||||||
|
import re
|
||||||
|
import sys
|
||||||
|
|
||||||
|
from traitlets.config.configurable import Configurable
|
||||||
|
from .error import UsageError
|
||||||
|
|
||||||
|
from traitlets import List, Instance
|
||||||
|
from logging import error
|
||||||
|
|
||||||
|
import typing as t
|
||||||
|
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Utilities
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# This is used as the pattern for calls to split_user_input.
|
||||||
|
shell_line_split = re.compile(r'^(\s*)()(\S+)(.*$)')
|
||||||
|
|
||||||
|
def default_aliases() -> t.List[t.Tuple[str, str]]:
|
||||||
|
"""Return list of shell aliases to auto-define.
|
||||||
|
"""
|
||||||
|
# Note: the aliases defined here should be safe to use on a kernel
|
||||||
|
# regardless of what frontend it is attached to. Frontends that use a
|
||||||
|
# kernel in-process can define additional aliases that will only work in
|
||||||
|
# their case. For example, things like 'less' or 'clear' that manipulate
|
||||||
|
# the terminal should NOT be declared here, as they will only work if the
|
||||||
|
# kernel is running inside a true terminal, and not over the network.
|
||||||
|
|
||||||
|
if os.name == 'posix':
|
||||||
|
default_aliases = [('mkdir', 'mkdir'), ('rmdir', 'rmdir'),
|
||||||
|
('mv', 'mv'), ('rm', 'rm'), ('cp', 'cp'),
|
||||||
|
('cat', 'cat'),
|
||||||
|
]
|
||||||
|
# Useful set of ls aliases. The GNU and BSD options are a little
|
||||||
|
# different, so we make aliases that provide as similar as possible
|
||||||
|
# behavior in ipython, by passing the right flags for each platform
|
||||||
|
if sys.platform.startswith('linux'):
|
||||||
|
ls_aliases = [('ls', 'ls -F --color'),
|
||||||
|
# long ls
|
||||||
|
('ll', 'ls -F -o --color'),
|
||||||
|
# ls normal files only
|
||||||
|
('lf', 'ls -F -o --color %l | grep ^-'),
|
||||||
|
# ls symbolic links
|
||||||
|
('lk', 'ls -F -o --color %l | grep ^l'),
|
||||||
|
# directories or links to directories,
|
||||||
|
('ldir', 'ls -F -o --color %l | grep /$'),
|
||||||
|
# things which are executable
|
||||||
|
('lx', 'ls -F -o --color %l | grep ^-..x'),
|
||||||
|
]
|
||||||
|
elif sys.platform.startswith('openbsd') or sys.platform.startswith('netbsd'):
|
||||||
|
# OpenBSD, NetBSD. The ls implementation on these platforms do not support
|
||||||
|
# the -G switch and lack the ability to use colorized output.
|
||||||
|
ls_aliases = [('ls', 'ls -F'),
|
||||||
|
# long ls
|
||||||
|
('ll', 'ls -F -l'),
|
||||||
|
# ls normal files only
|
||||||
|
('lf', 'ls -F -l %l | grep ^-'),
|
||||||
|
# ls symbolic links
|
||||||
|
('lk', 'ls -F -l %l | grep ^l'),
|
||||||
|
# directories or links to directories,
|
||||||
|
('ldir', 'ls -F -l %l | grep /$'),
|
||||||
|
# things which are executable
|
||||||
|
('lx', 'ls -F -l %l | grep ^-..x'),
|
||||||
|
]
|
||||||
|
else:
|
||||||
|
# BSD, OSX, etc.
|
||||||
|
ls_aliases = [('ls', 'ls -F -G'),
|
||||||
|
# long ls
|
||||||
|
('ll', 'ls -F -l -G'),
|
||||||
|
# ls normal files only
|
||||||
|
('lf', 'ls -F -l -G %l | grep ^-'),
|
||||||
|
# ls symbolic links
|
||||||
|
('lk', 'ls -F -l -G %l | grep ^l'),
|
||||||
|
# directories or links to directories,
|
||||||
|
('ldir', 'ls -F -G -l %l | grep /$'),
|
||||||
|
# things which are executable
|
||||||
|
('lx', 'ls -F -l -G %l | grep ^-..x'),
|
||||||
|
]
|
||||||
|
default_aliases = default_aliases + ls_aliases
|
||||||
|
elif os.name in ['nt', 'dos']:
|
||||||
|
default_aliases = [('ls', 'dir /on'),
|
||||||
|
('ddir', 'dir /ad /on'), ('ldir', 'dir /ad /on'),
|
||||||
|
('mkdir', 'mkdir'), ('rmdir', 'rmdir'),
|
||||||
|
('echo', 'echo'), ('ren', 'ren'), ('copy', 'copy'),
|
||||||
|
]
|
||||||
|
else:
|
||||||
|
default_aliases = []
|
||||||
|
|
||||||
|
return default_aliases
|
||||||
|
|
||||||
|
|
||||||
|
class AliasError(Exception):
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
class InvalidAliasError(AliasError):
|
||||||
|
pass
|
||||||
|
|
||||||
|
class Alias(object):
|
||||||
|
"""Callable object storing the details of one alias.
|
||||||
|
|
||||||
|
Instances are registered as magic functions to allow use of aliases.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Prepare blacklist
|
||||||
|
blacklist = {'cd','popd','pushd','dhist','alias','unalias'}
|
||||||
|
|
||||||
|
def __init__(self, shell, name, cmd):
|
||||||
|
self.shell = shell
|
||||||
|
self.name = name
|
||||||
|
self.cmd = cmd
|
||||||
|
self.__doc__ = "Alias for `!{}`".format(cmd)
|
||||||
|
self.nargs = self.validate()
|
||||||
|
|
||||||
|
def validate(self):
|
||||||
|
"""Validate the alias, and return the number of arguments."""
|
||||||
|
if self.name in self.blacklist:
|
||||||
|
raise InvalidAliasError("The name %s can't be aliased "
|
||||||
|
"because it is a keyword or builtin." % self.name)
|
||||||
|
try:
|
||||||
|
caller = self.shell.magics_manager.magics['line'][self.name]
|
||||||
|
except KeyError:
|
||||||
|
pass
|
||||||
|
else:
|
||||||
|
if not isinstance(caller, Alias):
|
||||||
|
raise InvalidAliasError("The name %s can't be aliased "
|
||||||
|
"because it is another magic command." % self.name)
|
||||||
|
|
||||||
|
if not (isinstance(self.cmd, str)):
|
||||||
|
raise InvalidAliasError("An alias command must be a string, "
|
||||||
|
"got: %r" % self.cmd)
|
||||||
|
|
||||||
|
nargs = self.cmd.count('%s') - self.cmd.count('%%s')
|
||||||
|
|
||||||
|
if (nargs > 0) and (self.cmd.find('%l') >= 0):
|
||||||
|
raise InvalidAliasError('The %s and %l specifiers are mutually '
|
||||||
|
'exclusive in alias definitions.')
|
||||||
|
|
||||||
|
return nargs
|
||||||
|
|
||||||
|
def __repr__(self):
|
||||||
|
return "<alias {} for {!r}>".format(self.name, self.cmd)
|
||||||
|
|
||||||
|
def __call__(self, rest=''):
|
||||||
|
cmd = self.cmd
|
||||||
|
nargs = self.nargs
|
||||||
|
# Expand the %l special to be the user's input line
|
||||||
|
if cmd.find('%l') >= 0:
|
||||||
|
cmd = cmd.replace('%l', rest)
|
||||||
|
rest = ''
|
||||||
|
|
||||||
|
if nargs==0:
|
||||||
|
if cmd.find('%%s') >= 1:
|
||||||
|
cmd = cmd.replace('%%s', '%s')
|
||||||
|
# Simple, argument-less aliases
|
||||||
|
cmd = '%s %s' % (cmd, rest)
|
||||||
|
else:
|
||||||
|
# Handle aliases with positional arguments
|
||||||
|
args = rest.split(None, nargs)
|
||||||
|
if len(args) < nargs:
|
||||||
|
raise UsageError('Alias <%s> requires %s arguments, %s given.' %
|
||||||
|
(self.name, nargs, len(args)))
|
||||||
|
cmd = '%s %s' % (cmd % tuple(args[:nargs]),' '.join(args[nargs:]))
|
||||||
|
|
||||||
|
self.shell.system(cmd)
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Main AliasManager class
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class AliasManager(Configurable):
|
||||||
|
default_aliases: List = List(default_aliases()).tag(config=True)
|
||||||
|
user_aliases: List = List(default_value=[]).tag(config=True)
|
||||||
|
shell = Instance(
|
||||||
|
"IPython.core.interactiveshell.InteractiveShellABC", allow_none=True
|
||||||
|
)
|
||||||
|
|
||||||
|
def __init__(self, shell=None, **kwargs):
|
||||||
|
super(AliasManager, self).__init__(shell=shell, **kwargs)
|
||||||
|
# For convenient access
|
||||||
|
if self.shell is not None:
|
||||||
|
self.linemagics = self.shell.magics_manager.magics["line"]
|
||||||
|
self.init_aliases()
|
||||||
|
|
||||||
|
def init_aliases(self):
|
||||||
|
# Load default & user aliases
|
||||||
|
for name, cmd in self.default_aliases + self.user_aliases:
|
||||||
|
if (
|
||||||
|
cmd.startswith("ls ")
|
||||||
|
and self.shell is not None
|
||||||
|
and self.shell.colors == "NoColor"
|
||||||
|
):
|
||||||
|
cmd = cmd.replace(" --color", "")
|
||||||
|
self.soft_define_alias(name, cmd)
|
||||||
|
|
||||||
|
@property
|
||||||
|
def aliases(self):
|
||||||
|
return [(n, func.cmd) for (n, func) in self.linemagics.items()
|
||||||
|
if isinstance(func, Alias)]
|
||||||
|
|
||||||
|
def soft_define_alias(self, name, cmd):
|
||||||
|
"""Define an alias, but don't raise on an AliasError."""
|
||||||
|
try:
|
||||||
|
self.define_alias(name, cmd)
|
||||||
|
except AliasError as e:
|
||||||
|
error("Invalid alias: %s" % e)
|
||||||
|
|
||||||
|
def define_alias(self, name, cmd):
|
||||||
|
"""Define a new alias after validating it.
|
||||||
|
|
||||||
|
This will raise an :exc:`AliasError` if there are validation
|
||||||
|
problems.
|
||||||
|
"""
|
||||||
|
caller = Alias(shell=self.shell, name=name, cmd=cmd)
|
||||||
|
self.shell.magics_manager.register_function(caller, magic_kind='line',
|
||||||
|
magic_name=name)
|
||||||
|
|
||||||
|
def get_alias(self, name):
|
||||||
|
"""Return an alias, or None if no alias by that name exists."""
|
||||||
|
aname = self.linemagics.get(name, None)
|
||||||
|
return aname if isinstance(aname, Alias) else None
|
||||||
|
|
||||||
|
def is_alias(self, name):
|
||||||
|
"""Return whether or not a given name has been defined as an alias"""
|
||||||
|
return self.get_alias(name) is not None
|
||||||
|
|
||||||
|
def undefine_alias(self, name):
|
||||||
|
if self.is_alias(name):
|
||||||
|
del self.linemagics[name]
|
||||||
|
else:
|
||||||
|
raise ValueError('%s is not an alias' % name)
|
||||||
|
|
||||||
|
def clear_aliases(self):
|
||||||
|
for name, _ in self.aliases:
|
||||||
|
self.undefine_alias(name)
|
||||||
|
|
||||||
|
def retrieve_alias(self, name):
|
||||||
|
"""Retrieve the command to which an alias expands."""
|
||||||
|
caller = self.get_alias(name)
|
||||||
|
if caller:
|
||||||
|
return caller.cmd
|
||||||
|
else:
|
||||||
|
raise ValueError('%s is not an alias' % name)
|
492
Лаб1/aimenv/Lib/site-packages/IPython/core/application.py
Normal file
492
Лаб1/aimenv/Lib/site-packages/IPython/core/application.py
Normal file
@ -0,0 +1,492 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""
|
||||||
|
An application for IPython.
|
||||||
|
|
||||||
|
All top-level applications should use the classes in this module for
|
||||||
|
handling configuration and creating configurables.
|
||||||
|
|
||||||
|
The job of an :class:`Application` is to create the master configuration
|
||||||
|
object and then create the configurable objects, passing the config to them.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
import atexit
|
||||||
|
from copy import deepcopy
|
||||||
|
import logging
|
||||||
|
import os
|
||||||
|
import shutil
|
||||||
|
import sys
|
||||||
|
|
||||||
|
from pathlib import Path
|
||||||
|
|
||||||
|
from traitlets.config.application import Application, catch_config_error
|
||||||
|
from traitlets.config.loader import ConfigFileNotFound, PyFileConfigLoader
|
||||||
|
from IPython.core import release, crashhandler
|
||||||
|
from IPython.core.profiledir import ProfileDir, ProfileDirError
|
||||||
|
from IPython.paths import get_ipython_dir, get_ipython_package_dir
|
||||||
|
from IPython.utils.path import ensure_dir_exists
|
||||||
|
from traitlets import (
|
||||||
|
List, Unicode, Type, Bool, Set, Instance, Undefined,
|
||||||
|
default, observe,
|
||||||
|
)
|
||||||
|
|
||||||
|
if os.name == "nt":
|
||||||
|
programdata = os.environ.get("PROGRAMDATA", None)
|
||||||
|
if programdata is not None:
|
||||||
|
SYSTEM_CONFIG_DIRS = [str(Path(programdata) / "ipython")]
|
||||||
|
else: # PROGRAMDATA is not defined by default on XP.
|
||||||
|
SYSTEM_CONFIG_DIRS = []
|
||||||
|
else:
|
||||||
|
SYSTEM_CONFIG_DIRS = [
|
||||||
|
"/usr/local/etc/ipython",
|
||||||
|
"/etc/ipython",
|
||||||
|
]
|
||||||
|
|
||||||
|
|
||||||
|
ENV_CONFIG_DIRS = []
|
||||||
|
_env_config_dir = os.path.join(sys.prefix, 'etc', 'ipython')
|
||||||
|
if _env_config_dir not in SYSTEM_CONFIG_DIRS:
|
||||||
|
# only add ENV_CONFIG if sys.prefix is not already included
|
||||||
|
ENV_CONFIG_DIRS.append(_env_config_dir)
|
||||||
|
|
||||||
|
|
||||||
|
_envvar = os.environ.get('IPYTHON_SUPPRESS_CONFIG_ERRORS')
|
||||||
|
if _envvar in {None, ''}:
|
||||||
|
IPYTHON_SUPPRESS_CONFIG_ERRORS = None
|
||||||
|
else:
|
||||||
|
if _envvar.lower() in {'1','true'}:
|
||||||
|
IPYTHON_SUPPRESS_CONFIG_ERRORS = True
|
||||||
|
elif _envvar.lower() in {'0','false'} :
|
||||||
|
IPYTHON_SUPPRESS_CONFIG_ERRORS = False
|
||||||
|
else:
|
||||||
|
sys.exit("Unsupported value for environment variable: 'IPYTHON_SUPPRESS_CONFIG_ERRORS' is set to '%s' which is none of {'0', '1', 'false', 'true', ''}."% _envvar )
|
||||||
|
|
||||||
|
# aliases and flags
|
||||||
|
|
||||||
|
base_aliases = {}
|
||||||
|
if isinstance(Application.aliases, dict):
|
||||||
|
# traitlets 5
|
||||||
|
base_aliases.update(Application.aliases)
|
||||||
|
base_aliases.update(
|
||||||
|
{
|
||||||
|
"profile-dir": "ProfileDir.location",
|
||||||
|
"profile": "BaseIPythonApplication.profile",
|
||||||
|
"ipython-dir": "BaseIPythonApplication.ipython_dir",
|
||||||
|
"log-level": "Application.log_level",
|
||||||
|
"config": "BaseIPythonApplication.extra_config_file",
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
base_flags = dict()
|
||||||
|
if isinstance(Application.flags, dict):
|
||||||
|
# traitlets 5
|
||||||
|
base_flags.update(Application.flags)
|
||||||
|
base_flags.update(
|
||||||
|
dict(
|
||||||
|
debug=(
|
||||||
|
{"Application": {"log_level": logging.DEBUG}},
|
||||||
|
"set log level to logging.DEBUG (maximize logging output)",
|
||||||
|
),
|
||||||
|
quiet=(
|
||||||
|
{"Application": {"log_level": logging.CRITICAL}},
|
||||||
|
"set log level to logging.CRITICAL (minimize logging output)",
|
||||||
|
),
|
||||||
|
init=(
|
||||||
|
{
|
||||||
|
"BaseIPythonApplication": {
|
||||||
|
"copy_config_files": True,
|
||||||
|
"auto_create": True,
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"""Initialize profile with default config files. This is equivalent
|
||||||
|
to running `ipython profile create <profile>` prior to startup.
|
||||||
|
""",
|
||||||
|
),
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
class ProfileAwareConfigLoader(PyFileConfigLoader):
|
||||||
|
"""A Python file config loader that is aware of IPython profiles."""
|
||||||
|
def load_subconfig(self, fname, path=None, profile=None):
|
||||||
|
if profile is not None:
|
||||||
|
try:
|
||||||
|
profile_dir = ProfileDir.find_profile_dir_by_name(
|
||||||
|
get_ipython_dir(),
|
||||||
|
profile,
|
||||||
|
)
|
||||||
|
except ProfileDirError:
|
||||||
|
return
|
||||||
|
path = profile_dir.location
|
||||||
|
return super(ProfileAwareConfigLoader, self).load_subconfig(fname, path=path)
|
||||||
|
|
||||||
|
class BaseIPythonApplication(Application):
|
||||||
|
name = "ipython"
|
||||||
|
description = "IPython: an enhanced interactive Python shell."
|
||||||
|
version = Unicode(release.version)
|
||||||
|
|
||||||
|
aliases = base_aliases
|
||||||
|
flags = base_flags
|
||||||
|
classes = List([ProfileDir])
|
||||||
|
|
||||||
|
# enable `load_subconfig('cfg.py', profile='name')`
|
||||||
|
python_config_loader_class = ProfileAwareConfigLoader
|
||||||
|
|
||||||
|
# Track whether the config_file has changed,
|
||||||
|
# because some logic happens only if we aren't using the default.
|
||||||
|
config_file_specified = Set()
|
||||||
|
|
||||||
|
config_file_name = Unicode()
|
||||||
|
@default('config_file_name')
|
||||||
|
def _config_file_name_default(self):
|
||||||
|
return self.name.replace('-','_') + u'_config.py'
|
||||||
|
@observe('config_file_name')
|
||||||
|
def _config_file_name_changed(self, change):
|
||||||
|
if change['new'] != change['old']:
|
||||||
|
self.config_file_specified.add(change['new'])
|
||||||
|
|
||||||
|
# The directory that contains IPython's builtin profiles.
|
||||||
|
builtin_profile_dir = Unicode(
|
||||||
|
os.path.join(get_ipython_package_dir(), u'config', u'profile', u'default')
|
||||||
|
)
|
||||||
|
|
||||||
|
config_file_paths = List(Unicode())
|
||||||
|
@default('config_file_paths')
|
||||||
|
def _config_file_paths_default(self):
|
||||||
|
return []
|
||||||
|
|
||||||
|
extra_config_file = Unicode(
|
||||||
|
help="""Path to an extra config file to load.
|
||||||
|
|
||||||
|
If specified, load this config file in addition to any other IPython config.
|
||||||
|
""").tag(config=True)
|
||||||
|
@observe('extra_config_file')
|
||||||
|
def _extra_config_file_changed(self, change):
|
||||||
|
old = change['old']
|
||||||
|
new = change['new']
|
||||||
|
try:
|
||||||
|
self.config_files.remove(old)
|
||||||
|
except ValueError:
|
||||||
|
pass
|
||||||
|
self.config_file_specified.add(new)
|
||||||
|
self.config_files.append(new)
|
||||||
|
|
||||||
|
profile = Unicode(u'default',
|
||||||
|
help="""The IPython profile to use."""
|
||||||
|
).tag(config=True)
|
||||||
|
|
||||||
|
@observe('profile')
|
||||||
|
def _profile_changed(self, change):
|
||||||
|
self.builtin_profile_dir = os.path.join(
|
||||||
|
get_ipython_package_dir(), u'config', u'profile', change['new']
|
||||||
|
)
|
||||||
|
|
||||||
|
add_ipython_dir_to_sys_path = Bool(
|
||||||
|
False,
|
||||||
|
"""Should the IPython profile directory be added to sys path ?
|
||||||
|
|
||||||
|
This option was non-existing before IPython 8.0, and ipython_dir was added to
|
||||||
|
sys path to allow import of extensions present there. This was historical
|
||||||
|
baggage from when pip did not exist. This now default to false,
|
||||||
|
but can be set to true for legacy reasons.
|
||||||
|
""",
|
||||||
|
).tag(config=True)
|
||||||
|
|
||||||
|
ipython_dir = Unicode(
|
||||||
|
help="""
|
||||||
|
The name of the IPython directory. This directory is used for logging
|
||||||
|
configuration (through profiles), history storage, etc. The default
|
||||||
|
is usually $HOME/.ipython. This option can also be specified through
|
||||||
|
the environment variable IPYTHONDIR.
|
||||||
|
"""
|
||||||
|
).tag(config=True)
|
||||||
|
@default('ipython_dir')
|
||||||
|
def _ipython_dir_default(self):
|
||||||
|
d = get_ipython_dir()
|
||||||
|
self._ipython_dir_changed({
|
||||||
|
'name': 'ipython_dir',
|
||||||
|
'old': d,
|
||||||
|
'new': d,
|
||||||
|
})
|
||||||
|
return d
|
||||||
|
|
||||||
|
_in_init_profile_dir = False
|
||||||
|
|
||||||
|
profile_dir = Instance(ProfileDir, allow_none=True)
|
||||||
|
|
||||||
|
@default('profile_dir')
|
||||||
|
def _profile_dir_default(self):
|
||||||
|
# avoid recursion
|
||||||
|
if self._in_init_profile_dir:
|
||||||
|
return
|
||||||
|
# profile_dir requested early, force initialization
|
||||||
|
self.init_profile_dir()
|
||||||
|
return self.profile_dir
|
||||||
|
|
||||||
|
overwrite = Bool(False,
|
||||||
|
help="""Whether to overwrite existing config files when copying"""
|
||||||
|
).tag(config=True)
|
||||||
|
|
||||||
|
auto_create = Bool(False,
|
||||||
|
help="""Whether to create profile dir if it doesn't exist"""
|
||||||
|
).tag(config=True)
|
||||||
|
|
||||||
|
config_files = List(Unicode())
|
||||||
|
|
||||||
|
@default('config_files')
|
||||||
|
def _config_files_default(self):
|
||||||
|
return [self.config_file_name]
|
||||||
|
|
||||||
|
copy_config_files = Bool(False,
|
||||||
|
help="""Whether to install the default config files into the profile dir.
|
||||||
|
If a new profile is being created, and IPython contains config files for that
|
||||||
|
profile, then they will be staged into the new directory. Otherwise,
|
||||||
|
default config files will be automatically generated.
|
||||||
|
""").tag(config=True)
|
||||||
|
|
||||||
|
verbose_crash = Bool(False,
|
||||||
|
help="""Create a massive crash report when IPython encounters what may be an
|
||||||
|
internal error. The default is to append a short message to the
|
||||||
|
usual traceback""").tag(config=True)
|
||||||
|
|
||||||
|
# The class to use as the crash handler.
|
||||||
|
crash_handler_class = Type(crashhandler.CrashHandler)
|
||||||
|
|
||||||
|
@catch_config_error
|
||||||
|
def __init__(self, **kwargs):
|
||||||
|
super(BaseIPythonApplication, self).__init__(**kwargs)
|
||||||
|
# ensure current working directory exists
|
||||||
|
try:
|
||||||
|
os.getcwd()
|
||||||
|
except:
|
||||||
|
# exit if cwd doesn't exist
|
||||||
|
self.log.error("Current working directory doesn't exist.")
|
||||||
|
self.exit(1)
|
||||||
|
|
||||||
|
#-------------------------------------------------------------------------
|
||||||
|
# Various stages of Application creation
|
||||||
|
#-------------------------------------------------------------------------
|
||||||
|
|
||||||
|
def init_crash_handler(self):
|
||||||
|
"""Create a crash handler, typically setting sys.excepthook to it."""
|
||||||
|
self.crash_handler = self.crash_handler_class(self)
|
||||||
|
sys.excepthook = self.excepthook
|
||||||
|
def unset_crashhandler():
|
||||||
|
sys.excepthook = sys.__excepthook__
|
||||||
|
atexit.register(unset_crashhandler)
|
||||||
|
|
||||||
|
def excepthook(self, etype, evalue, tb):
|
||||||
|
"""this is sys.excepthook after init_crashhandler
|
||||||
|
|
||||||
|
set self.verbose_crash=True to use our full crashhandler, instead of
|
||||||
|
a regular traceback with a short message (crash_handler_lite)
|
||||||
|
"""
|
||||||
|
|
||||||
|
if self.verbose_crash:
|
||||||
|
return self.crash_handler(etype, evalue, tb)
|
||||||
|
else:
|
||||||
|
return crashhandler.crash_handler_lite(etype, evalue, tb)
|
||||||
|
|
||||||
|
@observe('ipython_dir')
|
||||||
|
def _ipython_dir_changed(self, change):
|
||||||
|
old = change['old']
|
||||||
|
new = change['new']
|
||||||
|
if old is not Undefined:
|
||||||
|
str_old = os.path.abspath(old)
|
||||||
|
if str_old in sys.path:
|
||||||
|
sys.path.remove(str_old)
|
||||||
|
if self.add_ipython_dir_to_sys_path:
|
||||||
|
str_path = os.path.abspath(new)
|
||||||
|
sys.path.append(str_path)
|
||||||
|
ensure_dir_exists(new)
|
||||||
|
readme = os.path.join(new, "README")
|
||||||
|
readme_src = os.path.join(
|
||||||
|
get_ipython_package_dir(), "config", "profile", "README"
|
||||||
|
)
|
||||||
|
if not os.path.exists(readme) and os.path.exists(readme_src):
|
||||||
|
shutil.copy(readme_src, readme)
|
||||||
|
for d in ("extensions", "nbextensions"):
|
||||||
|
path = os.path.join(new, d)
|
||||||
|
try:
|
||||||
|
ensure_dir_exists(path)
|
||||||
|
except OSError as e:
|
||||||
|
# this will not be EEXIST
|
||||||
|
self.log.error("couldn't create path %s: %s", path, e)
|
||||||
|
self.log.debug("IPYTHONDIR set to: %s", new)
|
||||||
|
|
||||||
|
def load_config_file(self, suppress_errors=IPYTHON_SUPPRESS_CONFIG_ERRORS):
|
||||||
|
"""Load the config file.
|
||||||
|
|
||||||
|
By default, errors in loading config are handled, and a warning
|
||||||
|
printed on screen. For testing, the suppress_errors option is set
|
||||||
|
to False, so errors will make tests fail.
|
||||||
|
|
||||||
|
`suppress_errors` default value is to be `None` in which case the
|
||||||
|
behavior default to the one of `traitlets.Application`.
|
||||||
|
|
||||||
|
The default value can be set :
|
||||||
|
- to `False` by setting 'IPYTHON_SUPPRESS_CONFIG_ERRORS' environment variable to '0', or 'false' (case insensitive).
|
||||||
|
- to `True` by setting 'IPYTHON_SUPPRESS_CONFIG_ERRORS' environment variable to '1' or 'true' (case insensitive).
|
||||||
|
- to `None` by setting 'IPYTHON_SUPPRESS_CONFIG_ERRORS' environment variable to '' (empty string) or leaving it unset.
|
||||||
|
|
||||||
|
Any other value are invalid, and will make IPython exit with a non-zero return code.
|
||||||
|
"""
|
||||||
|
|
||||||
|
|
||||||
|
self.log.debug("Searching path %s for config files", self.config_file_paths)
|
||||||
|
base_config = 'ipython_config.py'
|
||||||
|
self.log.debug("Attempting to load config file: %s" %
|
||||||
|
base_config)
|
||||||
|
try:
|
||||||
|
if suppress_errors is not None:
|
||||||
|
old_value = Application.raise_config_file_errors
|
||||||
|
Application.raise_config_file_errors = not suppress_errors;
|
||||||
|
Application.load_config_file(
|
||||||
|
self,
|
||||||
|
base_config,
|
||||||
|
path=self.config_file_paths
|
||||||
|
)
|
||||||
|
except ConfigFileNotFound:
|
||||||
|
# ignore errors loading parent
|
||||||
|
self.log.debug("Config file %s not found", base_config)
|
||||||
|
pass
|
||||||
|
if suppress_errors is not None:
|
||||||
|
Application.raise_config_file_errors = old_value
|
||||||
|
|
||||||
|
for config_file_name in self.config_files:
|
||||||
|
if not config_file_name or config_file_name == base_config:
|
||||||
|
continue
|
||||||
|
self.log.debug("Attempting to load config file: %s" %
|
||||||
|
self.config_file_name)
|
||||||
|
try:
|
||||||
|
Application.load_config_file(
|
||||||
|
self,
|
||||||
|
config_file_name,
|
||||||
|
path=self.config_file_paths
|
||||||
|
)
|
||||||
|
except ConfigFileNotFound:
|
||||||
|
# Only warn if the default config file was NOT being used.
|
||||||
|
if config_file_name in self.config_file_specified:
|
||||||
|
msg = self.log.warning
|
||||||
|
else:
|
||||||
|
msg = self.log.debug
|
||||||
|
msg("Config file not found, skipping: %s", config_file_name)
|
||||||
|
except Exception:
|
||||||
|
# For testing purposes.
|
||||||
|
if not suppress_errors:
|
||||||
|
raise
|
||||||
|
self.log.warning("Error loading config file: %s" %
|
||||||
|
self.config_file_name, exc_info=True)
|
||||||
|
|
||||||
|
def init_profile_dir(self):
|
||||||
|
"""initialize the profile dir"""
|
||||||
|
self._in_init_profile_dir = True
|
||||||
|
if self.profile_dir is not None:
|
||||||
|
# already ran
|
||||||
|
return
|
||||||
|
if 'ProfileDir.location' not in self.config:
|
||||||
|
# location not specified, find by profile name
|
||||||
|
try:
|
||||||
|
p = ProfileDir.find_profile_dir_by_name(self.ipython_dir, self.profile, self.config)
|
||||||
|
except ProfileDirError:
|
||||||
|
# not found, maybe create it (always create default profile)
|
||||||
|
if self.auto_create or self.profile == 'default':
|
||||||
|
try:
|
||||||
|
p = ProfileDir.create_profile_dir_by_name(self.ipython_dir, self.profile, self.config)
|
||||||
|
except ProfileDirError:
|
||||||
|
self.log.fatal("Could not create profile: %r"%self.profile)
|
||||||
|
self.exit(1)
|
||||||
|
else:
|
||||||
|
self.log.info("Created profile dir: %r"%p.location)
|
||||||
|
else:
|
||||||
|
self.log.fatal("Profile %r not found."%self.profile)
|
||||||
|
self.exit(1)
|
||||||
|
else:
|
||||||
|
self.log.debug("Using existing profile dir: %r", p.location)
|
||||||
|
else:
|
||||||
|
location = self.config.ProfileDir.location
|
||||||
|
# location is fully specified
|
||||||
|
try:
|
||||||
|
p = ProfileDir.find_profile_dir(location, self.config)
|
||||||
|
except ProfileDirError:
|
||||||
|
# not found, maybe create it
|
||||||
|
if self.auto_create:
|
||||||
|
try:
|
||||||
|
p = ProfileDir.create_profile_dir(location, self.config)
|
||||||
|
except ProfileDirError:
|
||||||
|
self.log.fatal("Could not create profile directory: %r"%location)
|
||||||
|
self.exit(1)
|
||||||
|
else:
|
||||||
|
self.log.debug("Creating new profile dir: %r"%location)
|
||||||
|
else:
|
||||||
|
self.log.fatal("Profile directory %r not found."%location)
|
||||||
|
self.exit(1)
|
||||||
|
else:
|
||||||
|
self.log.debug("Using existing profile dir: %r", p.location)
|
||||||
|
# if profile_dir is specified explicitly, set profile name
|
||||||
|
dir_name = os.path.basename(p.location)
|
||||||
|
if dir_name.startswith('profile_'):
|
||||||
|
self.profile = dir_name[8:]
|
||||||
|
|
||||||
|
self.profile_dir = p
|
||||||
|
self.config_file_paths.append(p.location)
|
||||||
|
self._in_init_profile_dir = False
|
||||||
|
|
||||||
|
def init_config_files(self):
|
||||||
|
"""[optionally] copy default config files into profile dir."""
|
||||||
|
self.config_file_paths.extend(ENV_CONFIG_DIRS)
|
||||||
|
self.config_file_paths.extend(SYSTEM_CONFIG_DIRS)
|
||||||
|
# copy config files
|
||||||
|
path = Path(self.builtin_profile_dir)
|
||||||
|
if self.copy_config_files:
|
||||||
|
src = self.profile
|
||||||
|
|
||||||
|
cfg = self.config_file_name
|
||||||
|
if path and (path / cfg).exists():
|
||||||
|
self.log.warning(
|
||||||
|
"Staging %r from %s into %r [overwrite=%s]"
|
||||||
|
% (cfg, src, self.profile_dir.location, self.overwrite)
|
||||||
|
)
|
||||||
|
self.profile_dir.copy_config_file(cfg, path=path, overwrite=self.overwrite)
|
||||||
|
else:
|
||||||
|
self.stage_default_config_file()
|
||||||
|
else:
|
||||||
|
# Still stage *bundled* config files, but not generated ones
|
||||||
|
# This is necessary for `ipython profile=sympy` to load the profile
|
||||||
|
# on the first go
|
||||||
|
files = path.glob("*.py")
|
||||||
|
for fullpath in files:
|
||||||
|
cfg = fullpath.name
|
||||||
|
if self.profile_dir.copy_config_file(cfg, path=path, overwrite=False):
|
||||||
|
# file was copied
|
||||||
|
self.log.warning("Staging bundled %s from %s into %r"%(
|
||||||
|
cfg, self.profile, self.profile_dir.location)
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
def stage_default_config_file(self):
|
||||||
|
"""auto generate default config file, and stage it into the profile."""
|
||||||
|
s = self.generate_config_file()
|
||||||
|
config_file = Path(self.profile_dir.location) / self.config_file_name
|
||||||
|
if self.overwrite or not config_file.exists():
|
||||||
|
self.log.warning("Generating default config file: %r", (config_file))
|
||||||
|
config_file.write_text(s, encoding="utf-8")
|
||||||
|
|
||||||
|
@catch_config_error
|
||||||
|
def initialize(self, argv=None):
|
||||||
|
# don't hook up crash handler before parsing command-line
|
||||||
|
self.parse_command_line(argv)
|
||||||
|
self.init_crash_handler()
|
||||||
|
if self.subapp is not None:
|
||||||
|
# stop here if subapp is taking over
|
||||||
|
return
|
||||||
|
# save a copy of CLI config to re-load after config files
|
||||||
|
# so that it has highest priority
|
||||||
|
cl_config = deepcopy(self.config)
|
||||||
|
self.init_profile_dir()
|
||||||
|
self.init_config_files()
|
||||||
|
self.load_config_file()
|
||||||
|
# enforce cl-opts override configfile opts:
|
||||||
|
self.update_config(cl_config)
|
155
Лаб1/aimenv/Lib/site-packages/IPython/core/async_helpers.py
Normal file
155
Лаб1/aimenv/Lib/site-packages/IPython/core/async_helpers.py
Normal file
@ -0,0 +1,155 @@
|
|||||||
|
"""
|
||||||
|
Async helper function that are invalid syntax on Python 3.5 and below.
|
||||||
|
|
||||||
|
This code is best effort, and may have edge cases not behaving as expected. In
|
||||||
|
particular it contain a number of heuristics to detect whether code is
|
||||||
|
effectively async and need to run in an event loop or not.
|
||||||
|
|
||||||
|
Some constructs (like top-level `return`, or `yield`) are taken care of
|
||||||
|
explicitly to actually raise a SyntaxError and stay as close as possible to
|
||||||
|
Python semantics.
|
||||||
|
"""
|
||||||
|
|
||||||
|
import ast
|
||||||
|
import asyncio
|
||||||
|
import inspect
|
||||||
|
from functools import wraps
|
||||||
|
|
||||||
|
_asyncio_event_loop = None
|
||||||
|
|
||||||
|
|
||||||
|
def get_asyncio_loop():
|
||||||
|
"""asyncio has deprecated get_event_loop
|
||||||
|
|
||||||
|
Replicate it here, with our desired semantics:
|
||||||
|
|
||||||
|
- always returns a valid, not-closed loop
|
||||||
|
- not thread-local like asyncio's,
|
||||||
|
because we only want one loop for IPython
|
||||||
|
- if called from inside a coroutine (e.g. in ipykernel),
|
||||||
|
return the running loop
|
||||||
|
|
||||||
|
.. versionadded:: 8.0
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
return asyncio.get_running_loop()
|
||||||
|
except RuntimeError:
|
||||||
|
# not inside a coroutine,
|
||||||
|
# track our own global
|
||||||
|
pass
|
||||||
|
|
||||||
|
# not thread-local like asyncio's,
|
||||||
|
# because we only track one event loop to run for IPython itself,
|
||||||
|
# always in the main thread.
|
||||||
|
global _asyncio_event_loop
|
||||||
|
if _asyncio_event_loop is None or _asyncio_event_loop.is_closed():
|
||||||
|
_asyncio_event_loop = asyncio.new_event_loop()
|
||||||
|
return _asyncio_event_loop
|
||||||
|
|
||||||
|
|
||||||
|
class _AsyncIORunner:
|
||||||
|
def __call__(self, coro):
|
||||||
|
"""
|
||||||
|
Handler for asyncio autoawait
|
||||||
|
"""
|
||||||
|
return get_asyncio_loop().run_until_complete(coro)
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return "asyncio"
|
||||||
|
|
||||||
|
|
||||||
|
_asyncio_runner = _AsyncIORunner()
|
||||||
|
|
||||||
|
|
||||||
|
class _AsyncIOProxy:
|
||||||
|
"""Proxy-object for an asyncio
|
||||||
|
|
||||||
|
Any coroutine methods will be wrapped in event_loop.run_
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __init__(self, obj, event_loop):
|
||||||
|
self._obj = obj
|
||||||
|
self._event_loop = event_loop
|
||||||
|
|
||||||
|
def __repr__(self):
|
||||||
|
return f"<_AsyncIOProxy({self._obj!r})>"
|
||||||
|
|
||||||
|
def __getattr__(self, key):
|
||||||
|
attr = getattr(self._obj, key)
|
||||||
|
if inspect.iscoroutinefunction(attr):
|
||||||
|
# if it's a coroutine method,
|
||||||
|
# return a threadsafe wrapper onto the _current_ asyncio loop
|
||||||
|
@wraps(attr)
|
||||||
|
def _wrapped(*args, **kwargs):
|
||||||
|
concurrent_future = asyncio.run_coroutine_threadsafe(
|
||||||
|
attr(*args, **kwargs), self._event_loop
|
||||||
|
)
|
||||||
|
return asyncio.wrap_future(concurrent_future)
|
||||||
|
|
||||||
|
return _wrapped
|
||||||
|
else:
|
||||||
|
return attr
|
||||||
|
|
||||||
|
def __dir__(self):
|
||||||
|
return dir(self._obj)
|
||||||
|
|
||||||
|
|
||||||
|
def _curio_runner(coroutine):
|
||||||
|
"""
|
||||||
|
handler for curio autoawait
|
||||||
|
"""
|
||||||
|
import curio
|
||||||
|
|
||||||
|
return curio.run(coroutine)
|
||||||
|
|
||||||
|
|
||||||
|
def _trio_runner(async_fn):
|
||||||
|
import trio
|
||||||
|
|
||||||
|
async def loc(coro):
|
||||||
|
"""
|
||||||
|
We need the dummy no-op async def to protect from
|
||||||
|
trio's internal. See https://github.com/python-trio/trio/issues/89
|
||||||
|
"""
|
||||||
|
return await coro
|
||||||
|
|
||||||
|
return trio.run(loc, async_fn)
|
||||||
|
|
||||||
|
|
||||||
|
def _pseudo_sync_runner(coro):
|
||||||
|
"""
|
||||||
|
A runner that does not really allow async execution, and just advance the coroutine.
|
||||||
|
|
||||||
|
See discussion in https://github.com/python-trio/trio/issues/608,
|
||||||
|
|
||||||
|
Credit to Nathaniel Smith
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
coro.send(None)
|
||||||
|
except StopIteration as exc:
|
||||||
|
return exc.value
|
||||||
|
else:
|
||||||
|
# TODO: do not raise but return an execution result with the right info.
|
||||||
|
raise RuntimeError(
|
||||||
|
"{coro_name!r} needs a real async loop".format(coro_name=coro.__name__)
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
def _should_be_async(cell: str) -> bool:
|
||||||
|
"""Detect if a block of code need to be wrapped in an `async def`
|
||||||
|
|
||||||
|
Attempt to parse the block of code, it it compile we're fine.
|
||||||
|
Otherwise we wrap if and try to compile.
|
||||||
|
|
||||||
|
If it works, assume it should be async. Otherwise Return False.
|
||||||
|
|
||||||
|
Not handled yet: If the block of code has a return statement as the top
|
||||||
|
level, it will be seen as async. This is a know limitation.
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
code = compile(
|
||||||
|
cell, "<>", "exec", flags=getattr(ast, "PyCF_ALLOW_TOP_LEVEL_AWAIT", 0x0)
|
||||||
|
)
|
||||||
|
return inspect.CO_COROUTINE & code.co_flags == inspect.CO_COROUTINE
|
||||||
|
except (SyntaxError, MemoryError):
|
||||||
|
return False
|
70
Лаб1/aimenv/Lib/site-packages/IPython/core/autocall.py
Normal file
70
Лаб1/aimenv/Lib/site-packages/IPython/core/autocall.py
Normal file
@ -0,0 +1,70 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""
|
||||||
|
Autocall capabilities for IPython.core.
|
||||||
|
|
||||||
|
Authors:
|
||||||
|
|
||||||
|
* Brian Granger
|
||||||
|
* Fernando Perez
|
||||||
|
* Thomas Kluyver
|
||||||
|
|
||||||
|
Notes
|
||||||
|
-----
|
||||||
|
"""
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2008-2011 The IPython Development Team
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Code
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class IPyAutocall(object):
|
||||||
|
""" Instances of this class are always autocalled
|
||||||
|
|
||||||
|
This happens regardless of 'autocall' variable state. Use this to
|
||||||
|
develop macro-like mechanisms.
|
||||||
|
"""
|
||||||
|
_ip = None
|
||||||
|
rewrite = True
|
||||||
|
def __init__(self, ip=None):
|
||||||
|
self._ip = ip
|
||||||
|
|
||||||
|
def set_ip(self, ip):
|
||||||
|
"""Will be used to set _ip point to current ipython instance b/f call
|
||||||
|
|
||||||
|
Override this method if you don't want this to happen.
|
||||||
|
|
||||||
|
"""
|
||||||
|
self._ip = ip
|
||||||
|
|
||||||
|
|
||||||
|
class ExitAutocall(IPyAutocall):
|
||||||
|
"""An autocallable object which will be added to the user namespace so that
|
||||||
|
exit, exit(), quit or quit() are all valid ways to close the shell."""
|
||||||
|
rewrite = False
|
||||||
|
|
||||||
|
def __call__(self):
|
||||||
|
self._ip.ask_exit()
|
||||||
|
|
||||||
|
class ZMQExitAutocall(ExitAutocall):
|
||||||
|
"""Exit IPython. Autocallable, so it needn't be explicitly called.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
keep_kernel : bool
|
||||||
|
If True, leave the kernel alive. Otherwise, tell the kernel to exit too
|
||||||
|
(default).
|
||||||
|
"""
|
||||||
|
def __call__(self, keep_kernel=False):
|
||||||
|
self._ip.keepkernel_on_exit = keep_kernel
|
||||||
|
self._ip.ask_exit()
|
86
Лаб1/aimenv/Lib/site-packages/IPython/core/builtin_trap.py
Normal file
86
Лаб1/aimenv/Lib/site-packages/IPython/core/builtin_trap.py
Normal file
@ -0,0 +1,86 @@
|
|||||||
|
"""
|
||||||
|
A context manager for managing things injected into :mod:`builtins`.
|
||||||
|
"""
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
import builtins as builtin_mod
|
||||||
|
|
||||||
|
from traitlets.config.configurable import Configurable
|
||||||
|
|
||||||
|
from traitlets import Instance
|
||||||
|
|
||||||
|
|
||||||
|
class __BuiltinUndefined(object): pass
|
||||||
|
BuiltinUndefined = __BuiltinUndefined()
|
||||||
|
|
||||||
|
class __HideBuiltin(object): pass
|
||||||
|
HideBuiltin = __HideBuiltin()
|
||||||
|
|
||||||
|
|
||||||
|
class BuiltinTrap(Configurable):
|
||||||
|
|
||||||
|
shell = Instance('IPython.core.interactiveshell.InteractiveShellABC',
|
||||||
|
allow_none=True)
|
||||||
|
|
||||||
|
def __init__(self, shell=None):
|
||||||
|
super(BuiltinTrap, self).__init__(shell=shell, config=None)
|
||||||
|
self._orig_builtins = {}
|
||||||
|
# We define this to track if a single BuiltinTrap is nested.
|
||||||
|
# Only turn off the trap when the outermost call to __exit__ is made.
|
||||||
|
self._nested_level = 0
|
||||||
|
self.shell = shell
|
||||||
|
# builtins we always add - if set to HideBuiltin, they will just
|
||||||
|
# be removed instead of being replaced by something else
|
||||||
|
self.auto_builtins = {'exit': HideBuiltin,
|
||||||
|
'quit': HideBuiltin,
|
||||||
|
'get_ipython': self.shell.get_ipython,
|
||||||
|
}
|
||||||
|
|
||||||
|
def __enter__(self):
|
||||||
|
if self._nested_level == 0:
|
||||||
|
self.activate()
|
||||||
|
self._nested_level += 1
|
||||||
|
# I return self, so callers can use add_builtin in a with clause.
|
||||||
|
return self
|
||||||
|
|
||||||
|
def __exit__(self, type, value, traceback):
|
||||||
|
if self._nested_level == 1:
|
||||||
|
self.deactivate()
|
||||||
|
self._nested_level -= 1
|
||||||
|
# Returning False will cause exceptions to propagate
|
||||||
|
return False
|
||||||
|
|
||||||
|
def add_builtin(self, key, value):
|
||||||
|
"""Add a builtin and save the original."""
|
||||||
|
bdict = builtin_mod.__dict__
|
||||||
|
orig = bdict.get(key, BuiltinUndefined)
|
||||||
|
if value is HideBuiltin:
|
||||||
|
if orig is not BuiltinUndefined: #same as 'key in bdict'
|
||||||
|
self._orig_builtins[key] = orig
|
||||||
|
del bdict[key]
|
||||||
|
else:
|
||||||
|
self._orig_builtins[key] = orig
|
||||||
|
bdict[key] = value
|
||||||
|
|
||||||
|
def remove_builtin(self, key, orig):
|
||||||
|
"""Remove an added builtin and re-set the original."""
|
||||||
|
if orig is BuiltinUndefined:
|
||||||
|
del builtin_mod.__dict__[key]
|
||||||
|
else:
|
||||||
|
builtin_mod.__dict__[key] = orig
|
||||||
|
|
||||||
|
def activate(self):
|
||||||
|
"""Store ipython references in the __builtin__ namespace."""
|
||||||
|
|
||||||
|
add_builtin = self.add_builtin
|
||||||
|
for name, func in self.auto_builtins.items():
|
||||||
|
add_builtin(name, func)
|
||||||
|
|
||||||
|
def deactivate(self):
|
||||||
|
"""Remove any builtins which might have been added by add_builtins, or
|
||||||
|
restore overwritten ones to their previous values."""
|
||||||
|
remove_builtin = self.remove_builtin
|
||||||
|
for key, val in self._orig_builtins.items():
|
||||||
|
remove_builtin(key, val)
|
||||||
|
self._orig_builtins.clear()
|
||||||
|
self._builtins_added = False
|
214
Лаб1/aimenv/Lib/site-packages/IPython/core/compilerop.py
Normal file
214
Лаб1/aimenv/Lib/site-packages/IPython/core/compilerop.py
Normal file
@ -0,0 +1,214 @@
|
|||||||
|
"""Compiler tools with improved interactive support.
|
||||||
|
|
||||||
|
Provides compilation machinery similar to codeop, but with caching support so
|
||||||
|
we can provide interactive tracebacks.
|
||||||
|
|
||||||
|
Authors
|
||||||
|
-------
|
||||||
|
* Robert Kern
|
||||||
|
* Fernando Perez
|
||||||
|
* Thomas Kluyver
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Note: though it might be more natural to name this module 'compiler', that
|
||||||
|
# name is in the stdlib and name collisions with the stdlib tend to produce
|
||||||
|
# weird problems (often with third-party tools).
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2010-2011 The IPython Development Team.
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License.
|
||||||
|
#
|
||||||
|
# The full license is in the file COPYING.txt, distributed with this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# Stdlib imports
|
||||||
|
import __future__
|
||||||
|
from ast import PyCF_ONLY_AST
|
||||||
|
import codeop
|
||||||
|
import functools
|
||||||
|
import hashlib
|
||||||
|
import linecache
|
||||||
|
import operator
|
||||||
|
import time
|
||||||
|
from contextlib import contextmanager
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Constants
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# Roughly equal to PyCF_MASK | PyCF_MASK_OBSOLETE as defined in pythonrun.h,
|
||||||
|
# this is used as a bitmask to extract future-related code flags.
|
||||||
|
PyCF_MASK = functools.reduce(operator.or_,
|
||||||
|
(getattr(__future__, fname).compiler_flag
|
||||||
|
for fname in __future__.all_feature_names))
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Local utilities
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
def code_name(code, number=0):
|
||||||
|
""" Compute a (probably) unique name for code for caching.
|
||||||
|
|
||||||
|
This now expects code to be unicode.
|
||||||
|
"""
|
||||||
|
hash_digest = hashlib.sha1(code.encode("utf-8")).hexdigest()
|
||||||
|
# Include the number and 12 characters of the hash in the name. It's
|
||||||
|
# pretty much impossible that in a single session we'll have collisions
|
||||||
|
# even with truncated hashes, and the full one makes tracebacks too long
|
||||||
|
return '<ipython-input-{0}-{1}>'.format(number, hash_digest[:12])
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Classes and functions
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class CachingCompiler(codeop.Compile):
|
||||||
|
"""A compiler that caches code compiled from interactive statements.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __init__(self):
|
||||||
|
codeop.Compile.__init__(self)
|
||||||
|
|
||||||
|
# Caching a dictionary { filename: execution_count } for nicely
|
||||||
|
# rendered tracebacks. The filename corresponds to the filename
|
||||||
|
# argument used for the builtins.compile function.
|
||||||
|
self._filename_map = {}
|
||||||
|
|
||||||
|
def ast_parse(self, source, filename='<unknown>', symbol='exec'):
|
||||||
|
"""Parse code to an AST with the current compiler flags active.
|
||||||
|
|
||||||
|
Arguments are exactly the same as ast.parse (in the standard library),
|
||||||
|
and are passed to the built-in compile function."""
|
||||||
|
return compile(source, filename, symbol, self.flags | PyCF_ONLY_AST, 1)
|
||||||
|
|
||||||
|
def reset_compiler_flags(self):
|
||||||
|
"""Reset compiler flags to default state."""
|
||||||
|
# This value is copied from codeop.Compile.__init__, so if that ever
|
||||||
|
# changes, it will need to be updated.
|
||||||
|
self.flags = codeop.PyCF_DONT_IMPLY_DEDENT
|
||||||
|
|
||||||
|
@property
|
||||||
|
def compiler_flags(self):
|
||||||
|
"""Flags currently active in the compilation process.
|
||||||
|
"""
|
||||||
|
return self.flags
|
||||||
|
|
||||||
|
def get_code_name(self, raw_code, transformed_code, number):
|
||||||
|
"""Compute filename given the code, and the cell number.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
raw_code : str
|
||||||
|
The raw cell code.
|
||||||
|
transformed_code : str
|
||||||
|
The executable Python source code to cache and compile.
|
||||||
|
number : int
|
||||||
|
A number which forms part of the code's name. Used for the execution
|
||||||
|
counter.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
The computed filename.
|
||||||
|
"""
|
||||||
|
return code_name(transformed_code, number)
|
||||||
|
|
||||||
|
def format_code_name(self, name):
|
||||||
|
"""Return a user-friendly label and name for a code block.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
name : str
|
||||||
|
The name for the code block returned from get_code_name
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
A (label, name) pair that can be used in tracebacks, or None if the default formatting should be used.
|
||||||
|
"""
|
||||||
|
if name in self._filename_map:
|
||||||
|
return "Cell", "In[%s]" % self._filename_map[name]
|
||||||
|
|
||||||
|
def cache(self, transformed_code, number=0, raw_code=None):
|
||||||
|
"""Make a name for a block of code, and cache the code.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
transformed_code : str
|
||||||
|
The executable Python source code to cache and compile.
|
||||||
|
number : int
|
||||||
|
A number which forms part of the code's name. Used for the execution
|
||||||
|
counter.
|
||||||
|
raw_code : str
|
||||||
|
The raw code before transformation, if None, set to `transformed_code`.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
The name of the cached code (as a string). Pass this as the filename
|
||||||
|
argument to compilation, so that tracebacks are correctly hooked up.
|
||||||
|
"""
|
||||||
|
if raw_code is None:
|
||||||
|
raw_code = transformed_code
|
||||||
|
|
||||||
|
name = self.get_code_name(raw_code, transformed_code, number)
|
||||||
|
|
||||||
|
# Save the execution count
|
||||||
|
self._filename_map[name] = number
|
||||||
|
|
||||||
|
# Since Python 2.5, setting mtime to `None` means the lines will
|
||||||
|
# never be removed by `linecache.checkcache`. This means all the
|
||||||
|
# monkeypatching has *never* been necessary, since this code was
|
||||||
|
# only added in 2010, at which point IPython had already stopped
|
||||||
|
# supporting Python 2.4.
|
||||||
|
#
|
||||||
|
# Note that `linecache.clearcache` and `linecache.updatecache` may
|
||||||
|
# still remove our code from the cache, but those show explicit
|
||||||
|
# intent, and we should not try to interfere. Normally the former
|
||||||
|
# is never called except when out of memory, and the latter is only
|
||||||
|
# called for lines *not* in the cache.
|
||||||
|
entry = (
|
||||||
|
len(transformed_code),
|
||||||
|
None,
|
||||||
|
[line + "\n" for line in transformed_code.splitlines()],
|
||||||
|
name,
|
||||||
|
)
|
||||||
|
linecache.cache[name] = entry
|
||||||
|
return name
|
||||||
|
|
||||||
|
@contextmanager
|
||||||
|
def extra_flags(self, flags):
|
||||||
|
## bits that we'll set to 1
|
||||||
|
turn_on_bits = ~self.flags & flags
|
||||||
|
|
||||||
|
|
||||||
|
self.flags = self.flags | flags
|
||||||
|
try:
|
||||||
|
yield
|
||||||
|
finally:
|
||||||
|
# turn off only the bits we turned on so that something like
|
||||||
|
# __future__ that set flags stays.
|
||||||
|
self.flags &= ~turn_on_bits
|
||||||
|
|
||||||
|
|
||||||
|
def check_linecache_ipython(*args):
|
||||||
|
"""Deprecated since IPython 8.6. Call linecache.checkcache() directly.
|
||||||
|
|
||||||
|
It was already not necessary to call this function directly. If no
|
||||||
|
CachingCompiler had been created, this function would fail badly. If
|
||||||
|
an instance had been created, this function would've been monkeypatched
|
||||||
|
into place.
|
||||||
|
|
||||||
|
As of IPython 8.6, the monkeypatching has gone away entirely. But there
|
||||||
|
were still internal callers of this function, so maybe external callers
|
||||||
|
also existed?
|
||||||
|
"""
|
||||||
|
import warnings
|
||||||
|
|
||||||
|
warnings.warn(
|
||||||
|
"Deprecated Since IPython 8.6, Just call linecache.checkcache() directly.",
|
||||||
|
DeprecationWarning,
|
||||||
|
stacklevel=2,
|
||||||
|
)
|
||||||
|
linecache.checkcache()
|
3389
Лаб1/aimenv/Lib/site-packages/IPython/core/completer.py
Normal file
3389
Лаб1/aimenv/Lib/site-packages/IPython/core/completer.py
Normal file
File diff suppressed because it is too large
Load Diff
382
Лаб1/aimenv/Lib/site-packages/IPython/core/completerlib.py
Normal file
382
Лаб1/aimenv/Lib/site-packages/IPython/core/completerlib.py
Normal file
@ -0,0 +1,382 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""Implementations for various useful completers.
|
||||||
|
|
||||||
|
These are all loaded by default by IPython.
|
||||||
|
"""
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2010-2011 The IPython Development Team.
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License.
|
||||||
|
#
|
||||||
|
# The full license is in the file COPYING.txt, distributed with this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# Stdlib imports
|
||||||
|
import glob
|
||||||
|
import inspect
|
||||||
|
import os
|
||||||
|
import re
|
||||||
|
import sys
|
||||||
|
from importlib import import_module
|
||||||
|
from importlib.machinery import all_suffixes
|
||||||
|
|
||||||
|
|
||||||
|
# Third-party imports
|
||||||
|
from time import time
|
||||||
|
from zipimport import zipimporter
|
||||||
|
|
||||||
|
# Our own imports
|
||||||
|
from .completer import expand_user, compress_user
|
||||||
|
from .error import TryNext
|
||||||
|
from ..utils._process_common import arg_split
|
||||||
|
|
||||||
|
# FIXME: this should be pulled in with the right call via the component system
|
||||||
|
from IPython import get_ipython
|
||||||
|
|
||||||
|
from typing import List
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Globals and constants
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
_suffixes = all_suffixes()
|
||||||
|
|
||||||
|
# Time in seconds after which the rootmodules will be stored permanently in the
|
||||||
|
# ipython ip.db database (kept in the user's .ipython dir).
|
||||||
|
TIMEOUT_STORAGE = 2
|
||||||
|
|
||||||
|
# Time in seconds after which we give up
|
||||||
|
TIMEOUT_GIVEUP = 20
|
||||||
|
|
||||||
|
# Regular expression for the python import statement
|
||||||
|
import_re = re.compile(r'(?P<name>[^\W\d]\w*?)'
|
||||||
|
r'(?P<package>[/\\]__init__)?'
|
||||||
|
r'(?P<suffix>%s)$' %
|
||||||
|
r'|'.join(re.escape(s) for s in _suffixes))
|
||||||
|
|
||||||
|
# RE for the ipython %run command (python + ipython scripts)
|
||||||
|
magic_run_re = re.compile(r'.*(\.ipy|\.ipynb|\.py[w]?)$')
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Local utilities
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
|
||||||
|
def module_list(path: str) -> List[str]:
|
||||||
|
"""
|
||||||
|
Return the list containing the names of the modules available in the given
|
||||||
|
folder.
|
||||||
|
"""
|
||||||
|
# sys.path has the cwd as an empty string, but isdir/listdir need it as '.'
|
||||||
|
if path == '':
|
||||||
|
path = '.'
|
||||||
|
|
||||||
|
# A few local constants to be used in loops below
|
||||||
|
pjoin = os.path.join
|
||||||
|
|
||||||
|
if os.path.isdir(path):
|
||||||
|
# Build a list of all files in the directory and all files
|
||||||
|
# in its subdirectories. For performance reasons, do not
|
||||||
|
# recurse more than one level into subdirectories.
|
||||||
|
files: List[str] = []
|
||||||
|
for root, dirs, nondirs in os.walk(path, followlinks=True):
|
||||||
|
subdir = root[len(path)+1:]
|
||||||
|
if subdir:
|
||||||
|
files.extend(pjoin(subdir, f) for f in nondirs)
|
||||||
|
dirs[:] = [] # Do not recurse into additional subdirectories.
|
||||||
|
else:
|
||||||
|
files.extend(nondirs)
|
||||||
|
|
||||||
|
else:
|
||||||
|
try:
|
||||||
|
files = list(zipimporter(path)._files.keys()) # type: ignore
|
||||||
|
except Exception:
|
||||||
|
files = []
|
||||||
|
|
||||||
|
# Build a list of modules which match the import_re regex.
|
||||||
|
modules = []
|
||||||
|
for f in files:
|
||||||
|
m = import_re.match(f)
|
||||||
|
if m:
|
||||||
|
modules.append(m.group('name'))
|
||||||
|
return list(set(modules))
|
||||||
|
|
||||||
|
|
||||||
|
def get_root_modules():
|
||||||
|
"""
|
||||||
|
Returns a list containing the names of all the modules available in the
|
||||||
|
folders of the pythonpath.
|
||||||
|
|
||||||
|
ip.db['rootmodules_cache'] maps sys.path entries to list of modules.
|
||||||
|
"""
|
||||||
|
ip = get_ipython()
|
||||||
|
if ip is None:
|
||||||
|
# No global shell instance to store cached list of modules.
|
||||||
|
# Don't try to scan for modules every time.
|
||||||
|
return list(sys.builtin_module_names)
|
||||||
|
|
||||||
|
if getattr(ip.db, "_mock", False):
|
||||||
|
rootmodules_cache = {}
|
||||||
|
else:
|
||||||
|
rootmodules_cache = ip.db.get("rootmodules_cache", {})
|
||||||
|
rootmodules = list(sys.builtin_module_names)
|
||||||
|
start_time = time()
|
||||||
|
store = False
|
||||||
|
for path in sys.path:
|
||||||
|
try:
|
||||||
|
modules = rootmodules_cache[path]
|
||||||
|
except KeyError:
|
||||||
|
modules = module_list(path)
|
||||||
|
try:
|
||||||
|
modules.remove('__init__')
|
||||||
|
except ValueError:
|
||||||
|
pass
|
||||||
|
if path not in ('', '.'): # cwd modules should not be cached
|
||||||
|
rootmodules_cache[path] = modules
|
||||||
|
if time() - start_time > TIMEOUT_STORAGE and not store:
|
||||||
|
store = True
|
||||||
|
print("\nCaching the list of root modules, please wait!")
|
||||||
|
print("(This will only be done once - type '%rehashx' to "
|
||||||
|
"reset cache!)\n")
|
||||||
|
sys.stdout.flush()
|
||||||
|
if time() - start_time > TIMEOUT_GIVEUP:
|
||||||
|
print("This is taking too long, we give up.\n")
|
||||||
|
return []
|
||||||
|
rootmodules.extend(modules)
|
||||||
|
if store:
|
||||||
|
ip.db['rootmodules_cache'] = rootmodules_cache
|
||||||
|
rootmodules = list(set(rootmodules))
|
||||||
|
return rootmodules
|
||||||
|
|
||||||
|
|
||||||
|
def is_importable(module, attr: str, only_modules) -> bool:
|
||||||
|
if only_modules:
|
||||||
|
try:
|
||||||
|
mod = getattr(module, attr)
|
||||||
|
except ModuleNotFoundError:
|
||||||
|
# See gh-14434
|
||||||
|
return False
|
||||||
|
return inspect.ismodule(mod)
|
||||||
|
else:
|
||||||
|
return not(attr[:2] == '__' and attr[-2:] == '__')
|
||||||
|
|
||||||
|
def is_possible_submodule(module, attr):
|
||||||
|
try:
|
||||||
|
obj = getattr(module, attr)
|
||||||
|
except AttributeError:
|
||||||
|
# Is possilby an unimported submodule
|
||||||
|
return True
|
||||||
|
except TypeError:
|
||||||
|
# https://github.com/ipython/ipython/issues/9678
|
||||||
|
return False
|
||||||
|
return inspect.ismodule(obj)
|
||||||
|
|
||||||
|
|
||||||
|
def try_import(mod: str, only_modules=False) -> List[str]:
|
||||||
|
"""
|
||||||
|
Try to import given module and return list of potential completions.
|
||||||
|
"""
|
||||||
|
mod = mod.rstrip('.')
|
||||||
|
try:
|
||||||
|
m = import_module(mod)
|
||||||
|
except:
|
||||||
|
return []
|
||||||
|
|
||||||
|
m_is_init = '__init__' in (getattr(m, '__file__', '') or '')
|
||||||
|
|
||||||
|
completions = []
|
||||||
|
if (not hasattr(m, '__file__')) or (not only_modules) or m_is_init:
|
||||||
|
completions.extend( [attr for attr in dir(m) if
|
||||||
|
is_importable(m, attr, only_modules)])
|
||||||
|
|
||||||
|
m_all = getattr(m, "__all__", [])
|
||||||
|
if only_modules:
|
||||||
|
completions.extend(attr for attr in m_all if is_possible_submodule(m, attr))
|
||||||
|
else:
|
||||||
|
completions.extend(m_all)
|
||||||
|
|
||||||
|
if m_is_init:
|
||||||
|
file_ = m.__file__
|
||||||
|
file_path = os.path.dirname(file_) # type: ignore
|
||||||
|
if file_path is not None:
|
||||||
|
completions.extend(module_list(file_path))
|
||||||
|
completions_set = {c for c in completions if isinstance(c, str)}
|
||||||
|
completions_set.discard('__init__')
|
||||||
|
return list(completions_set)
|
||||||
|
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Completion-related functions.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
def quick_completer(cmd, completions):
|
||||||
|
r""" Easily create a trivial completer for a command.
|
||||||
|
|
||||||
|
Takes either a list of completions, or all completions in string (that will
|
||||||
|
be split on whitespace).
|
||||||
|
|
||||||
|
Example::
|
||||||
|
|
||||||
|
[d:\ipython]|1> import ipy_completers
|
||||||
|
[d:\ipython]|2> ipy_completers.quick_completer('foo', ['bar','baz'])
|
||||||
|
[d:\ipython]|3> foo b<TAB>
|
||||||
|
bar baz
|
||||||
|
[d:\ipython]|3> foo ba
|
||||||
|
"""
|
||||||
|
|
||||||
|
if isinstance(completions, str):
|
||||||
|
completions = completions.split()
|
||||||
|
|
||||||
|
def do_complete(self, event):
|
||||||
|
return completions
|
||||||
|
|
||||||
|
get_ipython().set_hook('complete_command',do_complete, str_key = cmd)
|
||||||
|
|
||||||
|
def module_completion(line):
|
||||||
|
"""
|
||||||
|
Returns a list containing the completion possibilities for an import line.
|
||||||
|
|
||||||
|
The line looks like this :
|
||||||
|
'import xml.d'
|
||||||
|
'from xml.dom import'
|
||||||
|
"""
|
||||||
|
|
||||||
|
words = line.split(' ')
|
||||||
|
nwords = len(words)
|
||||||
|
|
||||||
|
# from whatever <tab> -> 'import '
|
||||||
|
if nwords == 3 and words[0] == 'from':
|
||||||
|
return ['import ']
|
||||||
|
|
||||||
|
# 'from xy<tab>' or 'import xy<tab>'
|
||||||
|
if nwords < 3 and (words[0] in {'%aimport', 'import', 'from'}) :
|
||||||
|
if nwords == 1:
|
||||||
|
return get_root_modules()
|
||||||
|
mod = words[1].split('.')
|
||||||
|
if len(mod) < 2:
|
||||||
|
return get_root_modules()
|
||||||
|
completion_list = try_import('.'.join(mod[:-1]), True)
|
||||||
|
return ['.'.join(mod[:-1] + [el]) for el in completion_list]
|
||||||
|
|
||||||
|
# 'from xyz import abc<tab>'
|
||||||
|
if nwords >= 3 and words[0] == 'from':
|
||||||
|
mod = words[1]
|
||||||
|
return try_import(mod)
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Completers
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# These all have the func(self, event) signature to be used as custom
|
||||||
|
# completers
|
||||||
|
|
||||||
|
def module_completer(self,event):
|
||||||
|
"""Give completions after user has typed 'import ...' or 'from ...'"""
|
||||||
|
|
||||||
|
# This works in all versions of python. While 2.5 has
|
||||||
|
# pkgutil.walk_packages(), that particular routine is fairly dangerous,
|
||||||
|
# since it imports *EVERYTHING* on sys.path. That is: a) very slow b) full
|
||||||
|
# of possibly problematic side effects.
|
||||||
|
# This search the folders in the sys.path for available modules.
|
||||||
|
|
||||||
|
return module_completion(event.line)
|
||||||
|
|
||||||
|
# FIXME: there's a lot of logic common to the run, cd and builtin file
|
||||||
|
# completers, that is currently reimplemented in each.
|
||||||
|
|
||||||
|
def magic_run_completer(self, event):
|
||||||
|
"""Complete files that end in .py or .ipy or .ipynb for the %run command.
|
||||||
|
"""
|
||||||
|
comps = arg_split(event.line, strict=False)
|
||||||
|
# relpath should be the current token that we need to complete.
|
||||||
|
if (len(comps) > 1) and (not event.line.endswith(' ')):
|
||||||
|
relpath = comps[-1].strip("'\"")
|
||||||
|
else:
|
||||||
|
relpath = ''
|
||||||
|
|
||||||
|
#print("\nev=", event) # dbg
|
||||||
|
#print("rp=", relpath) # dbg
|
||||||
|
#print('comps=', comps) # dbg
|
||||||
|
|
||||||
|
lglob = glob.glob
|
||||||
|
isdir = os.path.isdir
|
||||||
|
relpath, tilde_expand, tilde_val = expand_user(relpath)
|
||||||
|
|
||||||
|
# Find if the user has already typed the first filename, after which we
|
||||||
|
# should complete on all files, since after the first one other files may
|
||||||
|
# be arguments to the input script.
|
||||||
|
|
||||||
|
if any(magic_run_re.match(c) for c in comps):
|
||||||
|
matches = [f.replace('\\','/') + ('/' if isdir(f) else '')
|
||||||
|
for f in lglob(relpath+'*')]
|
||||||
|
else:
|
||||||
|
dirs = [f.replace('\\','/') + "/" for f in lglob(relpath+'*') if isdir(f)]
|
||||||
|
pys = [f.replace('\\','/')
|
||||||
|
for f in lglob(relpath+'*.py') + lglob(relpath+'*.ipy') +
|
||||||
|
lglob(relpath+'*.ipynb') + lglob(relpath + '*.pyw')]
|
||||||
|
|
||||||
|
matches = dirs + pys
|
||||||
|
|
||||||
|
#print('run comp:', dirs+pys) # dbg
|
||||||
|
return [compress_user(p, tilde_expand, tilde_val) for p in matches]
|
||||||
|
|
||||||
|
|
||||||
|
def cd_completer(self, event):
|
||||||
|
"""Completer function for cd, which only returns directories."""
|
||||||
|
ip = get_ipython()
|
||||||
|
relpath = event.symbol
|
||||||
|
|
||||||
|
#print(event) # dbg
|
||||||
|
if event.line.endswith('-b') or ' -b ' in event.line:
|
||||||
|
# return only bookmark completions
|
||||||
|
bkms = self.db.get('bookmarks', None)
|
||||||
|
if bkms:
|
||||||
|
return bkms.keys()
|
||||||
|
else:
|
||||||
|
return []
|
||||||
|
|
||||||
|
if event.symbol == '-':
|
||||||
|
width_dh = str(len(str(len(ip.user_ns['_dh']) + 1)))
|
||||||
|
# jump in directory history by number
|
||||||
|
fmt = '-%0' + width_dh +'d [%s]'
|
||||||
|
ents = [ fmt % (i,s) for i,s in enumerate(ip.user_ns['_dh'])]
|
||||||
|
if len(ents) > 1:
|
||||||
|
return ents
|
||||||
|
return []
|
||||||
|
|
||||||
|
if event.symbol.startswith('--'):
|
||||||
|
return ["--" + os.path.basename(d) for d in ip.user_ns['_dh']]
|
||||||
|
|
||||||
|
# Expand ~ in path and normalize directory separators.
|
||||||
|
relpath, tilde_expand, tilde_val = expand_user(relpath)
|
||||||
|
relpath = relpath.replace('\\','/')
|
||||||
|
|
||||||
|
found = []
|
||||||
|
for d in [f.replace('\\','/') + '/' for f in glob.glob(relpath+'*')
|
||||||
|
if os.path.isdir(f)]:
|
||||||
|
if ' ' in d:
|
||||||
|
# we don't want to deal with any of that, complex code
|
||||||
|
# for this is elsewhere
|
||||||
|
raise TryNext
|
||||||
|
|
||||||
|
found.append(d)
|
||||||
|
|
||||||
|
if not found:
|
||||||
|
if os.path.isdir(relpath):
|
||||||
|
return [compress_user(relpath, tilde_expand, tilde_val)]
|
||||||
|
|
||||||
|
# if no completions so far, try bookmarks
|
||||||
|
bks = self.db.get('bookmarks',{})
|
||||||
|
bkmatches = [s for s in bks if s.startswith(event.symbol)]
|
||||||
|
if bkmatches:
|
||||||
|
return bkmatches
|
||||||
|
|
||||||
|
raise TryNext
|
||||||
|
|
||||||
|
return [compress_user(p, tilde_expand, tilde_val) for p in found]
|
||||||
|
|
||||||
|
def reset_completer(self, event):
|
||||||
|
"A completer for %reset magic"
|
||||||
|
return '-f -s in out array dhist'.split()
|
236
Лаб1/aimenv/Lib/site-packages/IPython/core/crashhandler.py
Normal file
236
Лаб1/aimenv/Lib/site-packages/IPython/core/crashhandler.py
Normal file
@ -0,0 +1,236 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""sys.excepthook for IPython itself, leaves a detailed report on disk.
|
||||||
|
|
||||||
|
Authors:
|
||||||
|
|
||||||
|
* Fernando Perez
|
||||||
|
* Brian E. Granger
|
||||||
|
"""
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2001-2007 Fernando Perez. <fperez@colorado.edu>
|
||||||
|
# Copyright (C) 2008-2011 The IPython Development Team
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
import sys
|
||||||
|
import traceback
|
||||||
|
from pprint import pformat
|
||||||
|
from pathlib import Path
|
||||||
|
|
||||||
|
from IPython.core import ultratb
|
||||||
|
from IPython.core.release import author_email
|
||||||
|
from IPython.utils.sysinfo import sys_info
|
||||||
|
from IPython.utils.py3compat import input
|
||||||
|
|
||||||
|
from IPython.core.release import __version__ as version
|
||||||
|
|
||||||
|
from typing import Optional
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Code
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# Template for the user message.
|
||||||
|
_default_message_template = """\
|
||||||
|
Oops, {app_name} crashed. We do our best to make it stable, but...
|
||||||
|
|
||||||
|
A crash report was automatically generated with the following information:
|
||||||
|
- A verbatim copy of the crash traceback.
|
||||||
|
- A copy of your input history during this session.
|
||||||
|
- Data on your current {app_name} configuration.
|
||||||
|
|
||||||
|
It was left in the file named:
|
||||||
|
\t'{crash_report_fname}'
|
||||||
|
If you can email this file to the developers, the information in it will help
|
||||||
|
them in understanding and correcting the problem.
|
||||||
|
|
||||||
|
You can mail it to: {contact_name} at {contact_email}
|
||||||
|
with the subject '{app_name} Crash Report'.
|
||||||
|
|
||||||
|
If you want to do it now, the following command will work (under Unix):
|
||||||
|
mail -s '{app_name} Crash Report' {contact_email} < {crash_report_fname}
|
||||||
|
|
||||||
|
In your email, please also include information about:
|
||||||
|
- The operating system under which the crash happened: Linux, macOS, Windows,
|
||||||
|
other, and which exact version (for example: Ubuntu 16.04.3, macOS 10.13.2,
|
||||||
|
Windows 10 Pro), and whether it is 32-bit or 64-bit;
|
||||||
|
- How {app_name} was installed: using pip or conda, from GitHub, as part of
|
||||||
|
a Docker container, or other, providing more detail if possible;
|
||||||
|
- How to reproduce the crash: what exact sequence of instructions can one
|
||||||
|
input to get the same crash? Ideally, find a minimal yet complete sequence
|
||||||
|
of instructions that yields the crash.
|
||||||
|
|
||||||
|
To ensure accurate tracking of this issue, please file a report about it at:
|
||||||
|
{bug_tracker}
|
||||||
|
"""
|
||||||
|
|
||||||
|
_lite_message_template = """
|
||||||
|
If you suspect this is an IPython {version} bug, please report it at:
|
||||||
|
https://github.com/ipython/ipython/issues
|
||||||
|
or send an email to the mailing list at {email}
|
||||||
|
|
||||||
|
You can print a more detailed traceback right now with "%tb", or use "%debug"
|
||||||
|
to interactively debug it.
|
||||||
|
|
||||||
|
Extra-detailed tracebacks for bug-reporting purposes can be enabled via:
|
||||||
|
{config}Application.verbose_crash=True
|
||||||
|
"""
|
||||||
|
|
||||||
|
|
||||||
|
class CrashHandler(object):
|
||||||
|
"""Customizable crash handlers for IPython applications.
|
||||||
|
|
||||||
|
Instances of this class provide a :meth:`__call__` method which can be
|
||||||
|
used as a ``sys.excepthook``. The :meth:`__call__` signature is::
|
||||||
|
|
||||||
|
def __call__(self, etype, evalue, etb)
|
||||||
|
"""
|
||||||
|
|
||||||
|
message_template = _default_message_template
|
||||||
|
section_sep = '\n\n'+'*'*75+'\n\n'
|
||||||
|
|
||||||
|
def __init__(
|
||||||
|
self,
|
||||||
|
app,
|
||||||
|
contact_name: Optional[str] = None,
|
||||||
|
contact_email: Optional[str] = None,
|
||||||
|
bug_tracker: Optional[str] = None,
|
||||||
|
show_crash_traceback: bool = True,
|
||||||
|
call_pdb: bool = False,
|
||||||
|
):
|
||||||
|
"""Create a new crash handler
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
app : Application
|
||||||
|
A running :class:`Application` instance, which will be queried at
|
||||||
|
crash time for internal information.
|
||||||
|
contact_name : str
|
||||||
|
A string with the name of the person to contact.
|
||||||
|
contact_email : str
|
||||||
|
A string with the email address of the contact.
|
||||||
|
bug_tracker : str
|
||||||
|
A string with the URL for your project's bug tracker.
|
||||||
|
show_crash_traceback : bool
|
||||||
|
If false, don't print the crash traceback on stderr, only generate
|
||||||
|
the on-disk report
|
||||||
|
call_pdb
|
||||||
|
Whether to call pdb on crash
|
||||||
|
|
||||||
|
Attributes
|
||||||
|
----------
|
||||||
|
These instances contain some non-argument attributes which allow for
|
||||||
|
further customization of the crash handler's behavior. Please see the
|
||||||
|
source for further details.
|
||||||
|
|
||||||
|
"""
|
||||||
|
self.crash_report_fname = "Crash_report_%s.txt" % app.name
|
||||||
|
self.app = app
|
||||||
|
self.call_pdb = call_pdb
|
||||||
|
#self.call_pdb = True # dbg
|
||||||
|
self.show_crash_traceback = show_crash_traceback
|
||||||
|
self.info = dict(app_name = app.name,
|
||||||
|
contact_name = contact_name,
|
||||||
|
contact_email = contact_email,
|
||||||
|
bug_tracker = bug_tracker,
|
||||||
|
crash_report_fname = self.crash_report_fname)
|
||||||
|
|
||||||
|
|
||||||
|
def __call__(self, etype, evalue, etb):
|
||||||
|
"""Handle an exception, call for compatible with sys.excepthook"""
|
||||||
|
|
||||||
|
# do not allow the crash handler to be called twice without reinstalling it
|
||||||
|
# this prevents unlikely errors in the crash handling from entering an
|
||||||
|
# infinite loop.
|
||||||
|
sys.excepthook = sys.__excepthook__
|
||||||
|
|
||||||
|
# Report tracebacks shouldn't use color in general (safer for users)
|
||||||
|
color_scheme = 'NoColor'
|
||||||
|
|
||||||
|
# Use this ONLY for developer debugging (keep commented out for release)
|
||||||
|
#color_scheme = 'Linux' # dbg
|
||||||
|
try:
|
||||||
|
rptdir = self.app.ipython_dir
|
||||||
|
except:
|
||||||
|
rptdir = Path.cwd()
|
||||||
|
if rptdir is None or not Path.is_dir(rptdir):
|
||||||
|
rptdir = Path.cwd()
|
||||||
|
report_name = rptdir / self.crash_report_fname
|
||||||
|
# write the report filename into the instance dict so it can get
|
||||||
|
# properly expanded out in the user message template
|
||||||
|
self.crash_report_fname = report_name
|
||||||
|
self.info['crash_report_fname'] = report_name
|
||||||
|
TBhandler = ultratb.VerboseTB(
|
||||||
|
color_scheme=color_scheme,
|
||||||
|
long_header=1,
|
||||||
|
call_pdb=self.call_pdb,
|
||||||
|
)
|
||||||
|
if self.call_pdb:
|
||||||
|
TBhandler(etype,evalue,etb)
|
||||||
|
return
|
||||||
|
else:
|
||||||
|
traceback = TBhandler.text(etype,evalue,etb,context=31)
|
||||||
|
|
||||||
|
# print traceback to screen
|
||||||
|
if self.show_crash_traceback:
|
||||||
|
print(traceback, file=sys.stderr)
|
||||||
|
|
||||||
|
# and generate a complete report on disk
|
||||||
|
try:
|
||||||
|
report = open(report_name, "w", encoding="utf-8")
|
||||||
|
except:
|
||||||
|
print('Could not create crash report on disk.', file=sys.stderr)
|
||||||
|
return
|
||||||
|
|
||||||
|
with report:
|
||||||
|
# Inform user on stderr of what happened
|
||||||
|
print('\n'+'*'*70+'\n', file=sys.stderr)
|
||||||
|
print(self.message_template.format(**self.info), file=sys.stderr)
|
||||||
|
|
||||||
|
# Construct report on disk
|
||||||
|
report.write(self.make_report(traceback))
|
||||||
|
|
||||||
|
input("Hit <Enter> to quit (your terminal may close):")
|
||||||
|
|
||||||
|
def make_report(self,traceback):
|
||||||
|
"""Return a string containing a crash report."""
|
||||||
|
|
||||||
|
sec_sep = self.section_sep
|
||||||
|
|
||||||
|
report = ['*'*75+'\n\n'+'IPython post-mortem report\n\n']
|
||||||
|
rpt_add = report.append
|
||||||
|
rpt_add(sys_info())
|
||||||
|
|
||||||
|
try:
|
||||||
|
config = pformat(self.app.config)
|
||||||
|
rpt_add(sec_sep)
|
||||||
|
rpt_add('Application name: %s\n\n' % self.app_name)
|
||||||
|
rpt_add('Current user configuration structure:\n\n')
|
||||||
|
rpt_add(config)
|
||||||
|
except:
|
||||||
|
pass
|
||||||
|
rpt_add(sec_sep+'Crash traceback:\n\n' + traceback)
|
||||||
|
|
||||||
|
return ''.join(report)
|
||||||
|
|
||||||
|
|
||||||
|
def crash_handler_lite(etype, evalue, tb):
|
||||||
|
"""a light excepthook, adding a small message to the usual traceback"""
|
||||||
|
traceback.print_exception(etype, evalue, tb)
|
||||||
|
|
||||||
|
from IPython.core.interactiveshell import InteractiveShell
|
||||||
|
if InteractiveShell.initialized():
|
||||||
|
# we are in a Shell environment, give %magic example
|
||||||
|
config = "%config "
|
||||||
|
else:
|
||||||
|
# we are not in a shell, show generic config
|
||||||
|
config = "c."
|
||||||
|
print(_lite_message_template.format(email=author_email, config=config, version=version), file=sys.stderr)
|
||||||
|
|
1113
Лаб1/aimenv/Lib/site-packages/IPython/core/debugger.py
Normal file
1113
Лаб1/aimenv/Lib/site-packages/IPython/core/debugger.py
Normal file
File diff suppressed because it is too large
Load Diff
1290
Лаб1/aimenv/Lib/site-packages/IPython/core/display.py
Normal file
1290
Лаб1/aimenv/Lib/site-packages/IPython/core/display.py
Normal file
File diff suppressed because it is too large
Load Diff
391
Лаб1/aimenv/Lib/site-packages/IPython/core/display_functions.py
Normal file
391
Лаб1/aimenv/Lib/site-packages/IPython/core/display_functions.py
Normal file
@ -0,0 +1,391 @@
|
|||||||
|
# -*- coding: utf-8 -*-
|
||||||
|
"""Top-level display functions for displaying object in different formats."""
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
|
||||||
|
from binascii import b2a_hex
|
||||||
|
import os
|
||||||
|
import sys
|
||||||
|
import warnings
|
||||||
|
|
||||||
|
__all__ = ['display', 'clear_output', 'publish_display_data', 'update_display', 'DisplayHandle']
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# utility functions
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
|
||||||
|
def _merge(d1, d2):
|
||||||
|
"""Like update, but merges sub-dicts instead of clobbering at the top level.
|
||||||
|
|
||||||
|
Updates d1 in-place
|
||||||
|
"""
|
||||||
|
|
||||||
|
if not isinstance(d2, dict) or not isinstance(d1, dict):
|
||||||
|
return d2
|
||||||
|
for key, value in d2.items():
|
||||||
|
d1[key] = _merge(d1.get(key), value)
|
||||||
|
return d1
|
||||||
|
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Main functions
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class _Sentinel:
|
||||||
|
def __repr__(self):
|
||||||
|
return "<deprecated>"
|
||||||
|
|
||||||
|
|
||||||
|
_sentinel = _Sentinel()
|
||||||
|
|
||||||
|
# use * to indicate transient is keyword-only
|
||||||
|
def publish_display_data(
|
||||||
|
data, metadata=None, source=_sentinel, *, transient=None, **kwargs
|
||||||
|
):
|
||||||
|
"""Publish data and metadata to all frontends.
|
||||||
|
|
||||||
|
See the ``display_data`` message in the messaging documentation for
|
||||||
|
more details about this message type.
|
||||||
|
|
||||||
|
Keys of data and metadata can be any mime-type.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
data : dict
|
||||||
|
A dictionary having keys that are valid MIME types (like
|
||||||
|
'text/plain' or 'image/svg+xml') and values that are the data for
|
||||||
|
that MIME type. The data itself must be a JSON'able data
|
||||||
|
structure. Minimally all data should have the 'text/plain' data,
|
||||||
|
which can be displayed by all frontends. If more than the plain
|
||||||
|
text is given, it is up to the frontend to decide which
|
||||||
|
representation to use.
|
||||||
|
metadata : dict
|
||||||
|
A dictionary for metadata related to the data. This can contain
|
||||||
|
arbitrary key, value pairs that frontends can use to interpret
|
||||||
|
the data. mime-type keys matching those in data can be used
|
||||||
|
to specify metadata about particular representations.
|
||||||
|
source : str, deprecated
|
||||||
|
Unused.
|
||||||
|
transient : dict, keyword-only
|
||||||
|
A dictionary of transient data, such as display_id.
|
||||||
|
"""
|
||||||
|
from IPython.core.interactiveshell import InteractiveShell
|
||||||
|
|
||||||
|
if source is not _sentinel:
|
||||||
|
warnings.warn(
|
||||||
|
"The `source` parameter emit a deprecation warning since"
|
||||||
|
" IPython 8.0, it had no effects for a long time and will "
|
||||||
|
" be removed in future versions.",
|
||||||
|
DeprecationWarning,
|
||||||
|
stacklevel=2,
|
||||||
|
)
|
||||||
|
display_pub = InteractiveShell.instance().display_pub
|
||||||
|
|
||||||
|
# only pass transient if supplied,
|
||||||
|
# to avoid errors with older ipykernel.
|
||||||
|
# TODO: We could check for ipykernel version and provide a detailed upgrade message.
|
||||||
|
if transient:
|
||||||
|
kwargs['transient'] = transient
|
||||||
|
|
||||||
|
display_pub.publish(
|
||||||
|
data=data,
|
||||||
|
metadata=metadata,
|
||||||
|
**kwargs
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
def _new_id():
|
||||||
|
"""Generate a new random text id with urandom"""
|
||||||
|
return b2a_hex(os.urandom(16)).decode('ascii')
|
||||||
|
|
||||||
|
|
||||||
|
def display(
|
||||||
|
*objs,
|
||||||
|
include=None,
|
||||||
|
exclude=None,
|
||||||
|
metadata=None,
|
||||||
|
transient=None,
|
||||||
|
display_id=None,
|
||||||
|
raw=False,
|
||||||
|
clear=False,
|
||||||
|
**kwargs,
|
||||||
|
):
|
||||||
|
"""Display a Python object in all frontends.
|
||||||
|
|
||||||
|
By default all representations will be computed and sent to the frontends.
|
||||||
|
Frontends can decide which representation is used and how.
|
||||||
|
|
||||||
|
In terminal IPython this will be similar to using :func:`print`, for use in richer
|
||||||
|
frontends see Jupyter notebook examples with rich display logic.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
*objs : object
|
||||||
|
The Python objects to display.
|
||||||
|
raw : bool, optional
|
||||||
|
Are the objects to be displayed already mimetype-keyed dicts of raw display data,
|
||||||
|
or Python objects that need to be formatted before display? [default: False]
|
||||||
|
include : list, tuple or set, optional
|
||||||
|
A list of format type strings (MIME types) to include in the
|
||||||
|
format data dict. If this is set *only* the format types included
|
||||||
|
in this list will be computed.
|
||||||
|
exclude : list, tuple or set, optional
|
||||||
|
A list of format type strings (MIME types) to exclude in the format
|
||||||
|
data dict. If this is set all format types will be computed,
|
||||||
|
except for those included in this argument.
|
||||||
|
metadata : dict, optional
|
||||||
|
A dictionary of metadata to associate with the output.
|
||||||
|
mime-type keys in this dictionary will be associated with the individual
|
||||||
|
representation formats, if they exist.
|
||||||
|
transient : dict, optional
|
||||||
|
A dictionary of transient data to associate with the output.
|
||||||
|
Data in this dict should not be persisted to files (e.g. notebooks).
|
||||||
|
display_id : str, bool optional
|
||||||
|
Set an id for the display.
|
||||||
|
This id can be used for updating this display area later via update_display.
|
||||||
|
If given as `True`, generate a new `display_id`
|
||||||
|
clear : bool, optional
|
||||||
|
Should the output area be cleared before displaying anything? If True,
|
||||||
|
this will wait for additional output before clearing. [default: False]
|
||||||
|
**kwargs : additional keyword-args, optional
|
||||||
|
Additional keyword-arguments are passed through to the display publisher.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
handle: DisplayHandle
|
||||||
|
Returns a handle on updatable displays for use with :func:`update_display`,
|
||||||
|
if `display_id` is given. Returns :any:`None` if no `display_id` is given
|
||||||
|
(default).
|
||||||
|
|
||||||
|
Examples
|
||||||
|
--------
|
||||||
|
>>> class Json(object):
|
||||||
|
... def __init__(self, json):
|
||||||
|
... self.json = json
|
||||||
|
... def _repr_pretty_(self, pp, cycle):
|
||||||
|
... import json
|
||||||
|
... pp.text(json.dumps(self.json, indent=2))
|
||||||
|
... def __repr__(self):
|
||||||
|
... return str(self.json)
|
||||||
|
...
|
||||||
|
|
||||||
|
>>> d = Json({1:2, 3: {4:5}})
|
||||||
|
|
||||||
|
>>> print(d)
|
||||||
|
{1: 2, 3: {4: 5}}
|
||||||
|
|
||||||
|
>>> display(d)
|
||||||
|
{
|
||||||
|
"1": 2,
|
||||||
|
"3": {
|
||||||
|
"4": 5
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
>>> def int_formatter(integer, pp, cycle):
|
||||||
|
... pp.text('I'*integer)
|
||||||
|
|
||||||
|
>>> plain = get_ipython().display_formatter.formatters['text/plain']
|
||||||
|
>>> plain.for_type(int, int_formatter)
|
||||||
|
<function _repr_pprint at 0x...>
|
||||||
|
>>> display(7-5)
|
||||||
|
II
|
||||||
|
|
||||||
|
>>> del plain.type_printers[int]
|
||||||
|
>>> display(7-5)
|
||||||
|
2
|
||||||
|
|
||||||
|
See Also
|
||||||
|
--------
|
||||||
|
:func:`update_display`
|
||||||
|
|
||||||
|
Notes
|
||||||
|
-----
|
||||||
|
In Python, objects can declare their textual representation using the
|
||||||
|
`__repr__` method. IPython expands on this idea and allows objects to declare
|
||||||
|
other, rich representations including:
|
||||||
|
|
||||||
|
- HTML
|
||||||
|
- JSON
|
||||||
|
- PNG
|
||||||
|
- JPEG
|
||||||
|
- SVG
|
||||||
|
- LaTeX
|
||||||
|
|
||||||
|
A single object can declare some or all of these representations; all are
|
||||||
|
handled by IPython's display system.
|
||||||
|
|
||||||
|
The main idea of the first approach is that you have to implement special
|
||||||
|
display methods when you define your class, one for each representation you
|
||||||
|
want to use. Here is a list of the names of the special methods and the
|
||||||
|
values they must return:
|
||||||
|
|
||||||
|
- `_repr_html_`: return raw HTML as a string, or a tuple (see below).
|
||||||
|
- `_repr_json_`: return a JSONable dict, or a tuple (see below).
|
||||||
|
- `_repr_jpeg_`: return raw JPEG data, or a tuple (see below).
|
||||||
|
- `_repr_png_`: return raw PNG data, or a tuple (see below).
|
||||||
|
- `_repr_svg_`: return raw SVG data as a string, or a tuple (see below).
|
||||||
|
- `_repr_latex_`: return LaTeX commands in a string surrounded by "$",
|
||||||
|
or a tuple (see below).
|
||||||
|
- `_repr_mimebundle_`: return a full mimebundle containing the mapping
|
||||||
|
from all mimetypes to data.
|
||||||
|
Use this for any mime-type not listed above.
|
||||||
|
|
||||||
|
The above functions may also return the object's metadata alonside the
|
||||||
|
data. If the metadata is available, the functions will return a tuple
|
||||||
|
containing the data and metadata, in that order. If there is no metadata
|
||||||
|
available, then the functions will return the data only.
|
||||||
|
|
||||||
|
When you are directly writing your own classes, you can adapt them for
|
||||||
|
display in IPython by following the above approach. But in practice, you
|
||||||
|
often need to work with existing classes that you can't easily modify.
|
||||||
|
|
||||||
|
You can refer to the documentation on integrating with the display system in
|
||||||
|
order to register custom formatters for already existing types
|
||||||
|
(:ref:`integrating_rich_display`).
|
||||||
|
|
||||||
|
.. versionadded:: 5.4 display available without import
|
||||||
|
.. versionadded:: 6.1 display available without import
|
||||||
|
|
||||||
|
Since IPython 5.4 and 6.1 :func:`display` is automatically made available to
|
||||||
|
the user without import. If you are using display in a document that might
|
||||||
|
be used in a pure python context or with older version of IPython, use the
|
||||||
|
following import at the top of your file::
|
||||||
|
|
||||||
|
from IPython.display import display
|
||||||
|
|
||||||
|
"""
|
||||||
|
from IPython.core.interactiveshell import InteractiveShell
|
||||||
|
|
||||||
|
if not InteractiveShell.initialized():
|
||||||
|
# Directly print objects.
|
||||||
|
print(*objs)
|
||||||
|
return
|
||||||
|
|
||||||
|
if transient is None:
|
||||||
|
transient = {}
|
||||||
|
if metadata is None:
|
||||||
|
metadata={}
|
||||||
|
if display_id:
|
||||||
|
if display_id is True:
|
||||||
|
display_id = _new_id()
|
||||||
|
transient['display_id'] = display_id
|
||||||
|
if kwargs.get('update') and 'display_id' not in transient:
|
||||||
|
raise TypeError('display_id required for update_display')
|
||||||
|
if transient:
|
||||||
|
kwargs['transient'] = transient
|
||||||
|
|
||||||
|
if not objs and display_id:
|
||||||
|
# if given no objects, but still a request for a display_id,
|
||||||
|
# we assume the user wants to insert an empty output that
|
||||||
|
# can be updated later
|
||||||
|
objs = [{}]
|
||||||
|
raw = True
|
||||||
|
|
||||||
|
if not raw:
|
||||||
|
format = InteractiveShell.instance().display_formatter.format
|
||||||
|
|
||||||
|
if clear:
|
||||||
|
clear_output(wait=True)
|
||||||
|
|
||||||
|
for obj in objs:
|
||||||
|
if raw:
|
||||||
|
publish_display_data(data=obj, metadata=metadata, **kwargs)
|
||||||
|
else:
|
||||||
|
format_dict, md_dict = format(obj, include=include, exclude=exclude)
|
||||||
|
if not format_dict:
|
||||||
|
# nothing to display (e.g. _ipython_display_ took over)
|
||||||
|
continue
|
||||||
|
if metadata:
|
||||||
|
# kwarg-specified metadata gets precedence
|
||||||
|
_merge(md_dict, metadata)
|
||||||
|
publish_display_data(data=format_dict, metadata=md_dict, **kwargs)
|
||||||
|
if display_id:
|
||||||
|
return DisplayHandle(display_id)
|
||||||
|
|
||||||
|
|
||||||
|
# use * for keyword-only display_id arg
|
||||||
|
def update_display(obj, *, display_id, **kwargs):
|
||||||
|
"""Update an existing display by id
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
obj
|
||||||
|
The object with which to update the display
|
||||||
|
display_id : keyword-only
|
||||||
|
The id of the display to update
|
||||||
|
|
||||||
|
See Also
|
||||||
|
--------
|
||||||
|
:func:`display`
|
||||||
|
"""
|
||||||
|
kwargs['update'] = True
|
||||||
|
display(obj, display_id=display_id, **kwargs)
|
||||||
|
|
||||||
|
|
||||||
|
class DisplayHandle(object):
|
||||||
|
"""A handle on an updatable display
|
||||||
|
|
||||||
|
Call `.update(obj)` to display a new object.
|
||||||
|
|
||||||
|
Call `.display(obj`) to add a new instance of this display,
|
||||||
|
and update existing instances.
|
||||||
|
|
||||||
|
See Also
|
||||||
|
--------
|
||||||
|
|
||||||
|
:func:`display`, :func:`update_display`
|
||||||
|
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __init__(self, display_id=None):
|
||||||
|
if display_id is None:
|
||||||
|
display_id = _new_id()
|
||||||
|
self.display_id = display_id
|
||||||
|
|
||||||
|
def __repr__(self):
|
||||||
|
return "<%s display_id=%s>" % (self.__class__.__name__, self.display_id)
|
||||||
|
|
||||||
|
def display(self, obj, **kwargs):
|
||||||
|
"""Make a new display with my id, updating existing instances.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
obj
|
||||||
|
object to display
|
||||||
|
**kwargs
|
||||||
|
additional keyword arguments passed to display
|
||||||
|
"""
|
||||||
|
display(obj, display_id=self.display_id, **kwargs)
|
||||||
|
|
||||||
|
def update(self, obj, **kwargs):
|
||||||
|
"""Update existing displays with my id
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
obj
|
||||||
|
object to display
|
||||||
|
**kwargs
|
||||||
|
additional keyword arguments passed to update_display
|
||||||
|
"""
|
||||||
|
update_display(obj, display_id=self.display_id, **kwargs)
|
||||||
|
|
||||||
|
|
||||||
|
def clear_output(wait=False):
|
||||||
|
"""Clear the output of the current cell receiving output.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
wait : bool [default: false]
|
||||||
|
Wait to clear the output until new output is available to replace it."""
|
||||||
|
from IPython.core.interactiveshell import InteractiveShell
|
||||||
|
if InteractiveShell.initialized():
|
||||||
|
InteractiveShell.instance().display_pub.clear_output(wait)
|
||||||
|
else:
|
||||||
|
print('\033[2K\r', end='')
|
||||||
|
sys.stdout.flush()
|
||||||
|
print('\033[2K\r', end='')
|
||||||
|
sys.stderr.flush()
|
70
Лаб1/aimenv/Lib/site-packages/IPython/core/display_trap.py
Normal file
70
Лаб1/aimenv/Lib/site-packages/IPython/core/display_trap.py
Normal file
@ -0,0 +1,70 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""
|
||||||
|
A context manager for handling sys.displayhook.
|
||||||
|
|
||||||
|
Authors:
|
||||||
|
|
||||||
|
* Robert Kern
|
||||||
|
* Brian Granger
|
||||||
|
"""
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2008-2011 The IPython Development Team
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
import sys
|
||||||
|
|
||||||
|
from traitlets.config.configurable import Configurable
|
||||||
|
from traitlets import Any
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Classes and functions
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
|
||||||
|
class DisplayTrap(Configurable):
|
||||||
|
"""Object to manage sys.displayhook.
|
||||||
|
|
||||||
|
This came from IPython.core.kernel.display_hook, but is simplified
|
||||||
|
(no callbacks or formatters) until more of the core is refactored.
|
||||||
|
"""
|
||||||
|
|
||||||
|
hook = Any()
|
||||||
|
|
||||||
|
def __init__(self, hook=None):
|
||||||
|
super(DisplayTrap, self).__init__(hook=hook, config=None)
|
||||||
|
self.old_hook = None
|
||||||
|
# We define this to track if a single BuiltinTrap is nested.
|
||||||
|
# Only turn off the trap when the outermost call to __exit__ is made.
|
||||||
|
self._nested_level = 0
|
||||||
|
|
||||||
|
def __enter__(self):
|
||||||
|
if self._nested_level == 0:
|
||||||
|
self.set()
|
||||||
|
self._nested_level += 1
|
||||||
|
return self
|
||||||
|
|
||||||
|
def __exit__(self, type, value, traceback):
|
||||||
|
if self._nested_level == 1:
|
||||||
|
self.unset()
|
||||||
|
self._nested_level -= 1
|
||||||
|
# Returning False will cause exceptions to propagate
|
||||||
|
return False
|
||||||
|
|
||||||
|
def set(self):
|
||||||
|
"""Set the hook."""
|
||||||
|
if sys.displayhook is not self.hook:
|
||||||
|
self.old_hook = sys.displayhook
|
||||||
|
sys.displayhook = self.hook
|
||||||
|
|
||||||
|
def unset(self):
|
||||||
|
"""Unset the hook."""
|
||||||
|
sys.displayhook = self.old_hook
|
||||||
|
|
336
Лаб1/aimenv/Lib/site-packages/IPython/core/displayhook.py
Normal file
336
Лаб1/aimenv/Lib/site-packages/IPython/core/displayhook.py
Normal file
@ -0,0 +1,336 @@
|
|||||||
|
# -*- coding: utf-8 -*-
|
||||||
|
"""Displayhook for IPython.
|
||||||
|
|
||||||
|
This defines a callable class that IPython uses for `sys.displayhook`.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
import builtins as builtin_mod
|
||||||
|
import sys
|
||||||
|
import io as _io
|
||||||
|
import tokenize
|
||||||
|
|
||||||
|
from traitlets.config.configurable import Configurable
|
||||||
|
from traitlets import Instance, Float
|
||||||
|
from warnings import warn
|
||||||
|
|
||||||
|
# TODO: Move the various attributes (cache_size, [others now moved]). Some
|
||||||
|
# of these are also attributes of InteractiveShell. They should be on ONE object
|
||||||
|
# only and the other objects should ask that one object for their values.
|
||||||
|
|
||||||
|
class DisplayHook(Configurable):
|
||||||
|
"""The custom IPython displayhook to replace sys.displayhook.
|
||||||
|
|
||||||
|
This class does many things, but the basic idea is that it is a callable
|
||||||
|
that gets called anytime user code returns a value.
|
||||||
|
"""
|
||||||
|
|
||||||
|
shell = Instance('IPython.core.interactiveshell.InteractiveShellABC',
|
||||||
|
allow_none=True)
|
||||||
|
exec_result = Instance('IPython.core.interactiveshell.ExecutionResult',
|
||||||
|
allow_none=True)
|
||||||
|
cull_fraction = Float(0.2)
|
||||||
|
|
||||||
|
def __init__(self, shell=None, cache_size=1000, **kwargs):
|
||||||
|
super(DisplayHook, self).__init__(shell=shell, **kwargs)
|
||||||
|
cache_size_min = 3
|
||||||
|
if cache_size <= 0:
|
||||||
|
self.do_full_cache = 0
|
||||||
|
cache_size = 0
|
||||||
|
elif cache_size < cache_size_min:
|
||||||
|
self.do_full_cache = 0
|
||||||
|
cache_size = 0
|
||||||
|
warn('caching was disabled (min value for cache size is %s).' %
|
||||||
|
cache_size_min,stacklevel=3)
|
||||||
|
else:
|
||||||
|
self.do_full_cache = 1
|
||||||
|
|
||||||
|
self.cache_size = cache_size
|
||||||
|
|
||||||
|
# we need a reference to the user-level namespace
|
||||||
|
self.shell = shell
|
||||||
|
|
||||||
|
self._,self.__,self.___ = '','',''
|
||||||
|
|
||||||
|
# these are deliberately global:
|
||||||
|
to_user_ns = {'_':self._,'__':self.__,'___':self.___}
|
||||||
|
self.shell.user_ns.update(to_user_ns)
|
||||||
|
|
||||||
|
@property
|
||||||
|
def prompt_count(self):
|
||||||
|
return self.shell.execution_count
|
||||||
|
|
||||||
|
#-------------------------------------------------------------------------
|
||||||
|
# Methods used in __call__. Override these methods to modify the behavior
|
||||||
|
# of the displayhook.
|
||||||
|
#-------------------------------------------------------------------------
|
||||||
|
|
||||||
|
def check_for_underscore(self):
|
||||||
|
"""Check if the user has set the '_' variable by hand."""
|
||||||
|
# If something injected a '_' variable in __builtin__, delete
|
||||||
|
# ipython's automatic one so we don't clobber that. gettext() in
|
||||||
|
# particular uses _, so we need to stay away from it.
|
||||||
|
if '_' in builtin_mod.__dict__:
|
||||||
|
try:
|
||||||
|
user_value = self.shell.user_ns['_']
|
||||||
|
if user_value is not self._:
|
||||||
|
return
|
||||||
|
del self.shell.user_ns['_']
|
||||||
|
except KeyError:
|
||||||
|
pass
|
||||||
|
|
||||||
|
def quiet(self):
|
||||||
|
"""Should we silence the display hook because of ';'?"""
|
||||||
|
# do not print output if input ends in ';'
|
||||||
|
|
||||||
|
try:
|
||||||
|
cell = self.shell.history_manager.input_hist_parsed[-1]
|
||||||
|
except IndexError:
|
||||||
|
# some uses of ipshellembed may fail here
|
||||||
|
return False
|
||||||
|
|
||||||
|
return self.semicolon_at_end_of_expression(cell)
|
||||||
|
|
||||||
|
@staticmethod
|
||||||
|
def semicolon_at_end_of_expression(expression):
|
||||||
|
"""Parse Python expression and detects whether last token is ';'"""
|
||||||
|
|
||||||
|
sio = _io.StringIO(expression)
|
||||||
|
tokens = list(tokenize.generate_tokens(sio.readline))
|
||||||
|
|
||||||
|
for token in reversed(tokens):
|
||||||
|
if token[0] in (tokenize.ENDMARKER, tokenize.NL, tokenize.NEWLINE, tokenize.COMMENT):
|
||||||
|
continue
|
||||||
|
if (token[0] == tokenize.OP) and (token[1] == ';'):
|
||||||
|
return True
|
||||||
|
else:
|
||||||
|
return False
|
||||||
|
|
||||||
|
def start_displayhook(self):
|
||||||
|
"""Start the displayhook, initializing resources."""
|
||||||
|
pass
|
||||||
|
|
||||||
|
def write_output_prompt(self):
|
||||||
|
"""Write the output prompt.
|
||||||
|
|
||||||
|
The default implementation simply writes the prompt to
|
||||||
|
``sys.stdout``.
|
||||||
|
"""
|
||||||
|
# Use write, not print which adds an extra space.
|
||||||
|
sys.stdout.write(self.shell.separate_out)
|
||||||
|
outprompt = 'Out[{}]: '.format(self.shell.execution_count)
|
||||||
|
if self.do_full_cache:
|
||||||
|
sys.stdout.write(outprompt)
|
||||||
|
|
||||||
|
def compute_format_data(self, result):
|
||||||
|
"""Compute format data of the object to be displayed.
|
||||||
|
|
||||||
|
The format data is a generalization of the :func:`repr` of an object.
|
||||||
|
In the default implementation the format data is a :class:`dict` of
|
||||||
|
key value pair where the keys are valid MIME types and the values
|
||||||
|
are JSON'able data structure containing the raw data for that MIME
|
||||||
|
type. It is up to frontends to determine pick a MIME to to use and
|
||||||
|
display that data in an appropriate manner.
|
||||||
|
|
||||||
|
This method only computes the format data for the object and should
|
||||||
|
NOT actually print or write that to a stream.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
result : object
|
||||||
|
The Python object passed to the display hook, whose format will be
|
||||||
|
computed.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
(format_dict, md_dict) : dict
|
||||||
|
format_dict is a :class:`dict` whose keys are valid MIME types and values are
|
||||||
|
JSON'able raw data for that MIME type. It is recommended that
|
||||||
|
all return values of this should always include the "text/plain"
|
||||||
|
MIME type representation of the object.
|
||||||
|
md_dict is a :class:`dict` with the same MIME type keys
|
||||||
|
of metadata associated with each output.
|
||||||
|
|
||||||
|
"""
|
||||||
|
return self.shell.display_formatter.format(result)
|
||||||
|
|
||||||
|
# This can be set to True by the write_output_prompt method in a subclass
|
||||||
|
prompt_end_newline = False
|
||||||
|
|
||||||
|
def write_format_data(self, format_dict, md_dict=None) -> None:
|
||||||
|
"""Write the format data dict to the frontend.
|
||||||
|
|
||||||
|
This default version of this method simply writes the plain text
|
||||||
|
representation of the object to ``sys.stdout``. Subclasses should
|
||||||
|
override this method to send the entire `format_dict` to the
|
||||||
|
frontends.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
format_dict : dict
|
||||||
|
The format dict for the object passed to `sys.displayhook`.
|
||||||
|
md_dict : dict (optional)
|
||||||
|
The metadata dict to be associated with the display data.
|
||||||
|
"""
|
||||||
|
if 'text/plain' not in format_dict:
|
||||||
|
# nothing to do
|
||||||
|
return
|
||||||
|
# We want to print because we want to always make sure we have a
|
||||||
|
# newline, even if all the prompt separators are ''. This is the
|
||||||
|
# standard IPython behavior.
|
||||||
|
result_repr = format_dict['text/plain']
|
||||||
|
if '\n' in result_repr:
|
||||||
|
# So that multi-line strings line up with the left column of
|
||||||
|
# the screen, instead of having the output prompt mess up
|
||||||
|
# their first line.
|
||||||
|
# We use the prompt template instead of the expanded prompt
|
||||||
|
# because the expansion may add ANSI escapes that will interfere
|
||||||
|
# with our ability to determine whether or not we should add
|
||||||
|
# a newline.
|
||||||
|
if not self.prompt_end_newline:
|
||||||
|
# But avoid extraneous empty lines.
|
||||||
|
result_repr = '\n' + result_repr
|
||||||
|
|
||||||
|
try:
|
||||||
|
print(result_repr)
|
||||||
|
except UnicodeEncodeError:
|
||||||
|
# If a character is not supported by the terminal encoding replace
|
||||||
|
# it with its \u or \x representation
|
||||||
|
print(result_repr.encode(sys.stdout.encoding,'backslashreplace').decode(sys.stdout.encoding))
|
||||||
|
|
||||||
|
def update_user_ns(self, result):
|
||||||
|
"""Update user_ns with various things like _, __, _1, etc."""
|
||||||
|
|
||||||
|
# Avoid recursive reference when displaying _oh/Out
|
||||||
|
if self.cache_size and result is not self.shell.user_ns['_oh']:
|
||||||
|
if len(self.shell.user_ns['_oh']) >= self.cache_size and self.do_full_cache:
|
||||||
|
self.cull_cache()
|
||||||
|
|
||||||
|
# Don't overwrite '_' and friends if '_' is in __builtin__
|
||||||
|
# (otherwise we cause buggy behavior for things like gettext). and
|
||||||
|
# do not overwrite _, __ or ___ if one of these has been assigned
|
||||||
|
# by the user.
|
||||||
|
update_unders = True
|
||||||
|
for unders in ['_'*i for i in range(1,4)]:
|
||||||
|
if not unders in self.shell.user_ns:
|
||||||
|
continue
|
||||||
|
if getattr(self, unders) is not self.shell.user_ns.get(unders):
|
||||||
|
update_unders = False
|
||||||
|
|
||||||
|
self.___ = self.__
|
||||||
|
self.__ = self._
|
||||||
|
self._ = result
|
||||||
|
|
||||||
|
if ('_' not in builtin_mod.__dict__) and (update_unders):
|
||||||
|
self.shell.push({'_':self._,
|
||||||
|
'__':self.__,
|
||||||
|
'___':self.___}, interactive=False)
|
||||||
|
|
||||||
|
# hackish access to top-level namespace to create _1,_2... dynamically
|
||||||
|
to_main = {}
|
||||||
|
if self.do_full_cache:
|
||||||
|
new_result = '_%s' % self.prompt_count
|
||||||
|
to_main[new_result] = result
|
||||||
|
self.shell.push(to_main, interactive=False)
|
||||||
|
self.shell.user_ns['_oh'][self.prompt_count] = result
|
||||||
|
|
||||||
|
def fill_exec_result(self, result):
|
||||||
|
if self.exec_result is not None:
|
||||||
|
self.exec_result.result = result
|
||||||
|
|
||||||
|
def log_output(self, format_dict):
|
||||||
|
"""Log the output."""
|
||||||
|
if 'text/plain' not in format_dict:
|
||||||
|
# nothing to do
|
||||||
|
return
|
||||||
|
if self.shell.logger.log_output:
|
||||||
|
self.shell.logger.log_write(format_dict['text/plain'], 'output')
|
||||||
|
self.shell.history_manager.output_hist_reprs[self.prompt_count] = \
|
||||||
|
format_dict['text/plain']
|
||||||
|
|
||||||
|
def finish_displayhook(self):
|
||||||
|
"""Finish up all displayhook activities."""
|
||||||
|
sys.stdout.write(self.shell.separate_out2)
|
||||||
|
sys.stdout.flush()
|
||||||
|
|
||||||
|
def __call__(self, result=None):
|
||||||
|
"""Printing with history cache management.
|
||||||
|
|
||||||
|
This is invoked every time the interpreter needs to print, and is
|
||||||
|
activated by setting the variable sys.displayhook to it.
|
||||||
|
"""
|
||||||
|
self.check_for_underscore()
|
||||||
|
if result is not None and not self.quiet():
|
||||||
|
self.start_displayhook()
|
||||||
|
self.write_output_prompt()
|
||||||
|
format_dict, md_dict = self.compute_format_data(result)
|
||||||
|
self.update_user_ns(result)
|
||||||
|
self.fill_exec_result(result)
|
||||||
|
if format_dict:
|
||||||
|
self.write_format_data(format_dict, md_dict)
|
||||||
|
self.log_output(format_dict)
|
||||||
|
self.finish_displayhook()
|
||||||
|
|
||||||
|
def cull_cache(self):
|
||||||
|
"""Output cache is full, cull the oldest entries"""
|
||||||
|
oh = self.shell.user_ns.get('_oh', {})
|
||||||
|
sz = len(oh)
|
||||||
|
cull_count = max(int(sz * self.cull_fraction), 2)
|
||||||
|
warn('Output cache limit (currently {sz} entries) hit.\n'
|
||||||
|
'Flushing oldest {cull_count} entries.'.format(sz=sz, cull_count=cull_count))
|
||||||
|
|
||||||
|
for i, n in enumerate(sorted(oh)):
|
||||||
|
if i >= cull_count:
|
||||||
|
break
|
||||||
|
self.shell.user_ns.pop('_%i' % n, None)
|
||||||
|
oh.pop(n, None)
|
||||||
|
|
||||||
|
|
||||||
|
def flush(self):
|
||||||
|
if not self.do_full_cache:
|
||||||
|
raise ValueError("You shouldn't have reached the cache flush "
|
||||||
|
"if full caching is not enabled!")
|
||||||
|
# delete auto-generated vars from global namespace
|
||||||
|
|
||||||
|
for n in range(1,self.prompt_count + 1):
|
||||||
|
key = '_'+repr(n)
|
||||||
|
try:
|
||||||
|
del self.shell.user_ns_hidden[key]
|
||||||
|
except KeyError:
|
||||||
|
pass
|
||||||
|
try:
|
||||||
|
del self.shell.user_ns[key]
|
||||||
|
except KeyError:
|
||||||
|
pass
|
||||||
|
# In some embedded circumstances, the user_ns doesn't have the
|
||||||
|
# '_oh' key set up.
|
||||||
|
oh = self.shell.user_ns.get('_oh', None)
|
||||||
|
if oh is not None:
|
||||||
|
oh.clear()
|
||||||
|
|
||||||
|
# Release our own references to objects:
|
||||||
|
self._, self.__, self.___ = '', '', ''
|
||||||
|
|
||||||
|
if '_' not in builtin_mod.__dict__:
|
||||||
|
self.shell.user_ns.update({'_':self._,'__':self.__,'___':self.___})
|
||||||
|
import gc
|
||||||
|
# TODO: Is this really needed?
|
||||||
|
# IronPython blocks here forever
|
||||||
|
if sys.platform != "cli":
|
||||||
|
gc.collect()
|
||||||
|
|
||||||
|
|
||||||
|
class CapturingDisplayHook(object):
|
||||||
|
def __init__(self, shell, outputs=None):
|
||||||
|
self.shell = shell
|
||||||
|
if outputs is None:
|
||||||
|
outputs = []
|
||||||
|
self.outputs = outputs
|
||||||
|
|
||||||
|
def __call__(self, result=None):
|
||||||
|
if result is None:
|
||||||
|
return
|
||||||
|
format_dict, md_dict = self.shell.display_formatter.format(result)
|
||||||
|
self.outputs.append({ 'data': format_dict, 'metadata': md_dict })
|
149
Лаб1/aimenv/Lib/site-packages/IPython/core/displaypub.py
Normal file
149
Лаб1/aimenv/Lib/site-packages/IPython/core/displaypub.py
Normal file
@ -0,0 +1,149 @@
|
|||||||
|
"""An interface for publishing rich data to frontends.
|
||||||
|
|
||||||
|
There are two components of the display system:
|
||||||
|
|
||||||
|
* Display formatters, which take a Python object and compute the
|
||||||
|
representation of the object in various formats (text, HTML, SVG, etc.).
|
||||||
|
* The display publisher that is used to send the representation data to the
|
||||||
|
various frontends.
|
||||||
|
|
||||||
|
This module defines the logic display publishing. The display publisher uses
|
||||||
|
the ``display_data`` message type that is defined in the IPython messaging
|
||||||
|
spec.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
|
||||||
|
import sys
|
||||||
|
|
||||||
|
from traitlets.config.configurable import Configurable
|
||||||
|
from traitlets import List
|
||||||
|
|
||||||
|
# This used to be defined here - it is imported for backwards compatibility
|
||||||
|
from .display_functions import publish_display_data
|
||||||
|
|
||||||
|
import typing as t
|
||||||
|
|
||||||
|
# -----------------------------------------------------------------------------
|
||||||
|
# Main payload class
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
|
||||||
|
class DisplayPublisher(Configurable):
|
||||||
|
"""A traited class that publishes display data to frontends.
|
||||||
|
|
||||||
|
Instances of this class are created by the main IPython object and should
|
||||||
|
be accessed there.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __init__(self, shell=None, *args, **kwargs):
|
||||||
|
self.shell = shell
|
||||||
|
super().__init__(*args, **kwargs)
|
||||||
|
|
||||||
|
def _validate_data(self, data, metadata=None):
|
||||||
|
"""Validate the display data.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
data : dict
|
||||||
|
The formata data dictionary.
|
||||||
|
metadata : dict
|
||||||
|
Any metadata for the data.
|
||||||
|
"""
|
||||||
|
|
||||||
|
if not isinstance(data, dict):
|
||||||
|
raise TypeError('data must be a dict, got: %r' % data)
|
||||||
|
if metadata is not None:
|
||||||
|
if not isinstance(metadata, dict):
|
||||||
|
raise TypeError('metadata must be a dict, got: %r' % data)
|
||||||
|
|
||||||
|
# use * to indicate transient, update are keyword-only
|
||||||
|
def publish(self, data, metadata=None, source=None, *, transient=None, update=False, **kwargs) -> None:
|
||||||
|
"""Publish data and metadata to all frontends.
|
||||||
|
|
||||||
|
See the ``display_data`` message in the messaging documentation for
|
||||||
|
more details about this message type.
|
||||||
|
|
||||||
|
The following MIME types are currently implemented:
|
||||||
|
|
||||||
|
* text/plain
|
||||||
|
* text/html
|
||||||
|
* text/markdown
|
||||||
|
* text/latex
|
||||||
|
* application/json
|
||||||
|
* application/javascript
|
||||||
|
* image/png
|
||||||
|
* image/jpeg
|
||||||
|
* image/svg+xml
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
data : dict
|
||||||
|
A dictionary having keys that are valid MIME types (like
|
||||||
|
'text/plain' or 'image/svg+xml') and values that are the data for
|
||||||
|
that MIME type. The data itself must be a JSON'able data
|
||||||
|
structure. Minimally all data should have the 'text/plain' data,
|
||||||
|
which can be displayed by all frontends. If more than the plain
|
||||||
|
text is given, it is up to the frontend to decide which
|
||||||
|
representation to use.
|
||||||
|
metadata : dict
|
||||||
|
A dictionary for metadata related to the data. This can contain
|
||||||
|
arbitrary key, value pairs that frontends can use to interpret
|
||||||
|
the data. Metadata specific to each mime-type can be specified
|
||||||
|
in the metadata dict with the same mime-type keys as
|
||||||
|
the data itself.
|
||||||
|
source : str, deprecated
|
||||||
|
Unused.
|
||||||
|
transient : dict, keyword-only
|
||||||
|
A dictionary for transient data.
|
||||||
|
Data in this dictionary should not be persisted as part of saving this output.
|
||||||
|
Examples include 'display_id'.
|
||||||
|
update : bool, keyword-only, default: False
|
||||||
|
If True, only update existing outputs with the same display_id,
|
||||||
|
rather than creating a new output.
|
||||||
|
"""
|
||||||
|
|
||||||
|
handlers: t.Dict = {}
|
||||||
|
if self.shell is not None:
|
||||||
|
handlers = getattr(self.shell, "mime_renderers", {})
|
||||||
|
|
||||||
|
for mime, handler in handlers.items():
|
||||||
|
if mime in data:
|
||||||
|
handler(data[mime], metadata.get(mime, None))
|
||||||
|
return
|
||||||
|
|
||||||
|
if 'text/plain' in data:
|
||||||
|
print(data['text/plain'])
|
||||||
|
|
||||||
|
def clear_output(self, wait=False):
|
||||||
|
"""Clear the output of the cell receiving output."""
|
||||||
|
print('\033[2K\r', end='')
|
||||||
|
sys.stdout.flush()
|
||||||
|
print('\033[2K\r', end='')
|
||||||
|
sys.stderr.flush()
|
||||||
|
|
||||||
|
|
||||||
|
class CapturingDisplayPublisher(DisplayPublisher):
|
||||||
|
"""A DisplayPublisher that stores"""
|
||||||
|
|
||||||
|
outputs: List = List()
|
||||||
|
|
||||||
|
def publish(
|
||||||
|
self, data, metadata=None, source=None, *, transient=None, update=False
|
||||||
|
):
|
||||||
|
self.outputs.append(
|
||||||
|
{
|
||||||
|
"data": data,
|
||||||
|
"metadata": metadata,
|
||||||
|
"transient": transient,
|
||||||
|
"update": update,
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
def clear_output(self, wait=False):
|
||||||
|
super(CapturingDisplayPublisher, self).clear_output(wait)
|
||||||
|
|
||||||
|
# empty the list, *do not* reassign a new list
|
||||||
|
self.outputs.clear()
|
60
Лаб1/aimenv/Lib/site-packages/IPython/core/error.py
Normal file
60
Лаб1/aimenv/Lib/site-packages/IPython/core/error.py
Normal file
@ -0,0 +1,60 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""
|
||||||
|
Global exception classes for IPython.core.
|
||||||
|
|
||||||
|
Authors:
|
||||||
|
|
||||||
|
* Brian Granger
|
||||||
|
* Fernando Perez
|
||||||
|
* Min Ragan-Kelley
|
||||||
|
|
||||||
|
Notes
|
||||||
|
-----
|
||||||
|
"""
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2008 The IPython Development Team
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Exception classes
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class IPythonCoreError(Exception):
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
class TryNext(IPythonCoreError):
|
||||||
|
"""Try next hook exception.
|
||||||
|
|
||||||
|
Raise this in your hook function to indicate that the next hook handler
|
||||||
|
should be used to handle the operation.
|
||||||
|
"""
|
||||||
|
|
||||||
|
class UsageError(IPythonCoreError):
|
||||||
|
"""Error in magic function arguments, etc.
|
||||||
|
|
||||||
|
Something that probably won't warrant a full traceback, but should
|
||||||
|
nevertheless interrupt a macro / batch file.
|
||||||
|
"""
|
||||||
|
|
||||||
|
class StdinNotImplementedError(IPythonCoreError, NotImplementedError):
|
||||||
|
"""raw_input was requested in a context where it is not supported
|
||||||
|
|
||||||
|
For use in IPython kernels, where only some frontends may support
|
||||||
|
stdin requests.
|
||||||
|
"""
|
||||||
|
|
||||||
|
class InputRejected(Exception):
|
||||||
|
"""Input rejected by ast transformer.
|
||||||
|
|
||||||
|
Raise this in your NodeTransformer to indicate that InteractiveShell should
|
||||||
|
not execute the supplied input.
|
||||||
|
"""
|
158
Лаб1/aimenv/Lib/site-packages/IPython/core/events.py
Normal file
158
Лаб1/aimenv/Lib/site-packages/IPython/core/events.py
Normal file
@ -0,0 +1,158 @@
|
|||||||
|
"""Infrastructure for registering and firing callbacks on application events.
|
||||||
|
|
||||||
|
Unlike :mod:`IPython.core.hooks`, which lets end users set single functions to
|
||||||
|
be called at specific times, or a collection of alternative methods to try,
|
||||||
|
callbacks are designed to be used by extension authors. A number of callbacks
|
||||||
|
can be registered for the same event without needing to be aware of one another.
|
||||||
|
|
||||||
|
The functions defined in this module are no-ops indicating the names of available
|
||||||
|
events and the arguments which will be passed to them.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
|
||||||
|
This API is experimental in IPython 2.0, and may be revised in future versions.
|
||||||
|
"""
|
||||||
|
|
||||||
|
|
||||||
|
class EventManager(object):
|
||||||
|
"""Manage a collection of events and a sequence of callbacks for each.
|
||||||
|
|
||||||
|
This is attached to :class:`~IPython.core.interactiveshell.InteractiveShell`
|
||||||
|
instances as an ``events`` attribute.
|
||||||
|
|
||||||
|
.. note::
|
||||||
|
|
||||||
|
This API is experimental in IPython 2.0, and may be revised in future versions.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __init__(self, shell, available_events, print_on_error=True):
|
||||||
|
"""Initialise the :class:`CallbackManager`.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
shell
|
||||||
|
The :class:`~IPython.core.interactiveshell.InteractiveShell` instance
|
||||||
|
available_events
|
||||||
|
An iterable of names for callback events.
|
||||||
|
print_on_error:
|
||||||
|
A boolean flag to set whether the EventManager will print a warning which a event errors.
|
||||||
|
"""
|
||||||
|
self.shell = shell
|
||||||
|
self.callbacks = {n:[] for n in available_events}
|
||||||
|
self.print_on_error = print_on_error
|
||||||
|
|
||||||
|
def register(self, event, function):
|
||||||
|
"""Register a new event callback.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
event : str
|
||||||
|
The event for which to register this callback.
|
||||||
|
function : callable
|
||||||
|
A function to be called on the given event. It should take the same
|
||||||
|
parameters as the appropriate callback prototype.
|
||||||
|
|
||||||
|
Raises
|
||||||
|
------
|
||||||
|
TypeError
|
||||||
|
If ``function`` is not callable.
|
||||||
|
KeyError
|
||||||
|
If ``event`` is not one of the known events.
|
||||||
|
"""
|
||||||
|
if not callable(function):
|
||||||
|
raise TypeError('Need a callable, got %r' % function)
|
||||||
|
if function not in self.callbacks[event]:
|
||||||
|
self.callbacks[event].append(function)
|
||||||
|
|
||||||
|
def unregister(self, event, function):
|
||||||
|
"""Remove a callback from the given event."""
|
||||||
|
if function in self.callbacks[event]:
|
||||||
|
return self.callbacks[event].remove(function)
|
||||||
|
|
||||||
|
raise ValueError('Function {!r} is not registered as a {} callback'.format(function, event))
|
||||||
|
|
||||||
|
def trigger(self, event, *args, **kwargs):
|
||||||
|
"""Call callbacks for ``event``.
|
||||||
|
|
||||||
|
Any additional arguments are passed to all callbacks registered for this
|
||||||
|
event. Exceptions raised by callbacks are caught, and a message printed.
|
||||||
|
"""
|
||||||
|
for func in self.callbacks[event][:]:
|
||||||
|
try:
|
||||||
|
func(*args, **kwargs)
|
||||||
|
except (Exception, KeyboardInterrupt):
|
||||||
|
if self.print_on_error:
|
||||||
|
print(
|
||||||
|
"Error in callback {} (for {}), with arguments args {},kwargs {}:".format(
|
||||||
|
func, event, args, kwargs
|
||||||
|
)
|
||||||
|
)
|
||||||
|
self.shell.showtraceback()
|
||||||
|
|
||||||
|
# event_name -> prototype mapping
|
||||||
|
available_events = {}
|
||||||
|
|
||||||
|
def _define_event(callback_function):
|
||||||
|
available_events[callback_function.__name__] = callback_function
|
||||||
|
return callback_function
|
||||||
|
|
||||||
|
# ------------------------------------------------------------------------------
|
||||||
|
# Callback prototypes
|
||||||
|
#
|
||||||
|
# No-op functions which describe the names of available events and the
|
||||||
|
# signatures of callbacks for those events.
|
||||||
|
# ------------------------------------------------------------------------------
|
||||||
|
|
||||||
|
@_define_event
|
||||||
|
def pre_execute():
|
||||||
|
"""Fires before code is executed in response to user/frontend action.
|
||||||
|
|
||||||
|
This includes comm and widget messages and silent execution, as well as user
|
||||||
|
code cells.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
|
@_define_event
|
||||||
|
def pre_run_cell(info):
|
||||||
|
"""Fires before user-entered code runs.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
info : :class:`~IPython.core.interactiveshell.ExecutionInfo`
|
||||||
|
An object containing information used for the code execution.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
|
@_define_event
|
||||||
|
def post_execute():
|
||||||
|
"""Fires after code is executed in response to user/frontend action.
|
||||||
|
|
||||||
|
This includes comm and widget messages and silent execution, as well as user
|
||||||
|
code cells.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
|
@_define_event
|
||||||
|
def post_run_cell(result):
|
||||||
|
"""Fires after user-entered code runs.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
result : :class:`~IPython.core.interactiveshell.ExecutionResult`
|
||||||
|
The object which will be returned as the execution result.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
|
@_define_event
|
||||||
|
def shell_initialized(ip):
|
||||||
|
"""Fires after initialisation of :class:`~IPython.core.interactiveshell.InteractiveShell`.
|
||||||
|
|
||||||
|
This is before extensions and startup scripts are loaded, so it can only be
|
||||||
|
set by subclassing.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
ip : :class:`~IPython.core.interactiveshell.InteractiveShell`
|
||||||
|
The newly initialised shell.
|
||||||
|
"""
|
||||||
|
pass
|
192
Лаб1/aimenv/Lib/site-packages/IPython/core/excolors.py
Normal file
192
Лаб1/aimenv/Lib/site-packages/IPython/core/excolors.py
Normal file
@ -0,0 +1,192 @@
|
|||||||
|
# -*- coding: utf-8 -*-
|
||||||
|
"""
|
||||||
|
Color schemes for exception handling code in IPython.
|
||||||
|
"""
|
||||||
|
|
||||||
|
import os
|
||||||
|
|
||||||
|
#*****************************************************************************
|
||||||
|
# Copyright (C) 2005-2006 Fernando Perez <fperez@colorado.edu>
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#*****************************************************************************
|
||||||
|
|
||||||
|
from IPython.utils.coloransi import ColorSchemeTable, TermColors, ColorScheme
|
||||||
|
|
||||||
|
def exception_colors():
|
||||||
|
"""Return a color table with fields for exception reporting.
|
||||||
|
|
||||||
|
The table is an instance of ColorSchemeTable with schemes added for
|
||||||
|
'Neutral', 'Linux', 'LightBG' and 'NoColor' and fields for exception handling filled
|
||||||
|
in.
|
||||||
|
|
||||||
|
Examples:
|
||||||
|
|
||||||
|
>>> ec = exception_colors()
|
||||||
|
>>> ec.active_scheme_name
|
||||||
|
''
|
||||||
|
>>> print(ec.active_colors)
|
||||||
|
None
|
||||||
|
|
||||||
|
Now we activate a color scheme:
|
||||||
|
>>> ec.set_active_scheme('NoColor')
|
||||||
|
>>> ec.active_scheme_name
|
||||||
|
'NoColor'
|
||||||
|
>>> sorted(ec.active_colors.keys())
|
||||||
|
['Normal', 'breakpoint_disabled', 'breakpoint_enabled', 'caret', 'em',
|
||||||
|
'excName', 'filename', 'filenameEm', 'line', 'lineno', 'linenoEm', 'name',
|
||||||
|
'nameEm', 'normalEm', 'prompt', 'topline', 'vName', 'val', 'valEm']
|
||||||
|
|
||||||
|
"""
|
||||||
|
|
||||||
|
ex_colors = ColorSchemeTable()
|
||||||
|
|
||||||
|
# Populate it with color schemes
|
||||||
|
C = TermColors # shorthand and local lookup
|
||||||
|
ex_colors.add_scheme(
|
||||||
|
ColorScheme(
|
||||||
|
"NoColor",
|
||||||
|
{
|
||||||
|
# The color to be used for the top line
|
||||||
|
"topline": C.NoColor,
|
||||||
|
|
||||||
|
# The colors to be used in the traceback
|
||||||
|
"filename": C.NoColor,
|
||||||
|
"lineno": C.NoColor,
|
||||||
|
"name": C.NoColor,
|
||||||
|
"vName": C.NoColor,
|
||||||
|
"val": C.NoColor,
|
||||||
|
"em": C.NoColor,
|
||||||
|
|
||||||
|
# Emphasized colors for the last frame of the traceback
|
||||||
|
"normalEm": C.NoColor,
|
||||||
|
"filenameEm": C.NoColor,
|
||||||
|
"linenoEm": C.NoColor,
|
||||||
|
"nameEm": C.NoColor,
|
||||||
|
"valEm": C.NoColor,
|
||||||
|
|
||||||
|
# Colors for printing the exception
|
||||||
|
"excName": C.NoColor,
|
||||||
|
"line": C.NoColor,
|
||||||
|
"caret": C.NoColor,
|
||||||
|
"Normal": C.NoColor,
|
||||||
|
# debugger
|
||||||
|
"prompt": C.NoColor,
|
||||||
|
"breakpoint_enabled": C.NoColor,
|
||||||
|
"breakpoint_disabled": C.NoColor,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
# make some schemes as instances so we can copy them for modification easily
|
||||||
|
ex_colors.add_scheme(
|
||||||
|
ColorScheme(
|
||||||
|
"Linux",
|
||||||
|
{
|
||||||
|
# The color to be used for the top line
|
||||||
|
"topline": C.LightRed,
|
||||||
|
# The colors to be used in the traceback
|
||||||
|
"filename": C.Green,
|
||||||
|
"lineno": C.Green,
|
||||||
|
"name": C.Purple,
|
||||||
|
"vName": C.Cyan,
|
||||||
|
"val": C.Green,
|
||||||
|
"em": C.LightCyan,
|
||||||
|
# Emphasized colors for the last frame of the traceback
|
||||||
|
"normalEm": C.LightCyan,
|
||||||
|
"filenameEm": C.LightGreen,
|
||||||
|
"linenoEm": C.LightGreen,
|
||||||
|
"nameEm": C.LightPurple,
|
||||||
|
"valEm": C.LightBlue,
|
||||||
|
# Colors for printing the exception
|
||||||
|
"excName": C.LightRed,
|
||||||
|
"line": C.Yellow,
|
||||||
|
"caret": C.White,
|
||||||
|
"Normal": C.Normal,
|
||||||
|
# debugger
|
||||||
|
"prompt": C.Green,
|
||||||
|
"breakpoint_enabled": C.LightRed,
|
||||||
|
"breakpoint_disabled": C.Red,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
# For light backgrounds, swap dark/light colors
|
||||||
|
ex_colors.add_scheme(
|
||||||
|
ColorScheme(
|
||||||
|
"LightBG",
|
||||||
|
{
|
||||||
|
# The color to be used for the top line
|
||||||
|
"topline": C.Red,
|
||||||
|
|
||||||
|
# The colors to be used in the traceback
|
||||||
|
"filename": C.LightGreen,
|
||||||
|
"lineno": C.LightGreen,
|
||||||
|
"name": C.LightPurple,
|
||||||
|
"vName": C.Cyan,
|
||||||
|
"val": C.LightGreen,
|
||||||
|
"em": C.Cyan,
|
||||||
|
|
||||||
|
# Emphasized colors for the last frame of the traceback
|
||||||
|
"normalEm": C.Cyan,
|
||||||
|
"filenameEm": C.Green,
|
||||||
|
"linenoEm": C.Green,
|
||||||
|
"nameEm": C.Purple,
|
||||||
|
"valEm": C.Blue,
|
||||||
|
|
||||||
|
# Colors for printing the exception
|
||||||
|
"excName": C.Red,
|
||||||
|
# "line": C.Brown, # brown often is displayed as yellow
|
||||||
|
"line": C.Red,
|
||||||
|
"caret": C.Normal,
|
||||||
|
"Normal": C.Normal,
|
||||||
|
# debugger
|
||||||
|
"prompt": C.Blue,
|
||||||
|
"breakpoint_enabled": C.LightRed,
|
||||||
|
"breakpoint_disabled": C.Red,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
ex_colors.add_scheme(
|
||||||
|
ColorScheme(
|
||||||
|
"Neutral",
|
||||||
|
{
|
||||||
|
# The color to be used for the top line
|
||||||
|
"topline": C.Red,
|
||||||
|
# The colors to be used in the traceback
|
||||||
|
"filename": C.LightGreen,
|
||||||
|
"lineno": C.LightGreen,
|
||||||
|
"name": C.LightPurple,
|
||||||
|
"vName": C.Cyan,
|
||||||
|
"val": C.LightGreen,
|
||||||
|
"em": C.Cyan,
|
||||||
|
# Emphasized colors for the last frame of the traceback
|
||||||
|
"normalEm": C.Cyan,
|
||||||
|
"filenameEm": C.Green,
|
||||||
|
"linenoEm": C.Green,
|
||||||
|
"nameEm": C.Purple,
|
||||||
|
"valEm": C.Blue,
|
||||||
|
# Colors for printing the exception
|
||||||
|
"excName": C.Red,
|
||||||
|
# line = C.Brown, # brown often is displayed as yellow
|
||||||
|
"line": C.Red,
|
||||||
|
"caret": C.Normal,
|
||||||
|
"Normal": C.Normal,
|
||||||
|
# debugger
|
||||||
|
"prompt": C.Blue,
|
||||||
|
"breakpoint_enabled": C.LightRed,
|
||||||
|
"breakpoint_disabled": C.Red,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
# Hack: the 'neutral' colours are not very visible on a dark background on
|
||||||
|
# Windows. Since Windows command prompts have a dark background by default, and
|
||||||
|
# relatively few users are likely to alter that, we will use the 'Linux' colours,
|
||||||
|
# designed for a dark background, as the default on Windows.
|
||||||
|
if os.name == "nt":
|
||||||
|
ex_colors.add_scheme(ex_colors['Linux'].copy('Neutral'))
|
||||||
|
|
||||||
|
return ex_colors
|
135
Лаб1/aimenv/Lib/site-packages/IPython/core/extensions.py
Normal file
135
Лаб1/aimenv/Lib/site-packages/IPython/core/extensions.py
Normal file
@ -0,0 +1,135 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""A class for managing IPython extensions."""
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
import os
|
||||||
|
import os.path
|
||||||
|
import sys
|
||||||
|
from importlib import import_module, reload
|
||||||
|
|
||||||
|
from traitlets.config.configurable import Configurable
|
||||||
|
from IPython.utils.path import ensure_dir_exists
|
||||||
|
from traitlets import Instance
|
||||||
|
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Main class
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
BUILTINS_EXTS = {"storemagic": False, "autoreload": False}
|
||||||
|
|
||||||
|
|
||||||
|
class ExtensionManager(Configurable):
|
||||||
|
"""A class to manage IPython extensions.
|
||||||
|
|
||||||
|
An IPython extension is an importable Python module that has
|
||||||
|
a function with the signature::
|
||||||
|
|
||||||
|
def load_ipython_extension(ipython):
|
||||||
|
# Do things with ipython
|
||||||
|
|
||||||
|
This function is called after your extension is imported and the
|
||||||
|
currently active :class:`InteractiveShell` instance is passed as
|
||||||
|
the only argument. You can do anything you want with IPython at
|
||||||
|
that point, including defining new magic and aliases, adding new
|
||||||
|
components, etc.
|
||||||
|
|
||||||
|
You can also optionally define an :func:`unload_ipython_extension(ipython)`
|
||||||
|
function, which will be called if the user unloads or reloads the extension.
|
||||||
|
The extension manager will only call :func:`load_ipython_extension` again
|
||||||
|
if the extension is reloaded.
|
||||||
|
|
||||||
|
You can put your extension modules anywhere you want, as long as
|
||||||
|
they can be imported by Python's standard import mechanism.
|
||||||
|
"""
|
||||||
|
|
||||||
|
shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', allow_none=True)
|
||||||
|
|
||||||
|
def __init__(self, shell=None, **kwargs):
|
||||||
|
super(ExtensionManager, self).__init__(shell=shell, **kwargs)
|
||||||
|
self.loaded = set()
|
||||||
|
|
||||||
|
def load_extension(self, module_str: str):
|
||||||
|
"""Load an IPython extension by its module name.
|
||||||
|
|
||||||
|
Returns the string "already loaded" if the extension is already loaded,
|
||||||
|
"no load function" if the module doesn't have a load_ipython_extension
|
||||||
|
function, or None if it succeeded.
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
return self._load_extension(module_str)
|
||||||
|
except ModuleNotFoundError:
|
||||||
|
if module_str in BUILTINS_EXTS:
|
||||||
|
BUILTINS_EXTS[module_str] = True
|
||||||
|
return self._load_extension("IPython.extensions." + module_str)
|
||||||
|
raise
|
||||||
|
|
||||||
|
def _load_extension(self, module_str: str):
|
||||||
|
if module_str in self.loaded:
|
||||||
|
return "already loaded"
|
||||||
|
|
||||||
|
assert self.shell is not None
|
||||||
|
|
||||||
|
with self.shell.builtin_trap:
|
||||||
|
if module_str not in sys.modules:
|
||||||
|
mod = import_module(module_str)
|
||||||
|
mod = sys.modules[module_str]
|
||||||
|
if self._call_load_ipython_extension(mod):
|
||||||
|
self.loaded.add(module_str)
|
||||||
|
else:
|
||||||
|
return "no load function"
|
||||||
|
|
||||||
|
def unload_extension(self, module_str: str):
|
||||||
|
"""Unload an IPython extension by its module name.
|
||||||
|
|
||||||
|
This function looks up the extension's name in ``sys.modules`` and
|
||||||
|
simply calls ``mod.unload_ipython_extension(self)``.
|
||||||
|
|
||||||
|
Returns the string "no unload function" if the extension doesn't define
|
||||||
|
a function to unload itself, "not loaded" if the extension isn't loaded,
|
||||||
|
otherwise None.
|
||||||
|
"""
|
||||||
|
if BUILTINS_EXTS.get(module_str, False) is True:
|
||||||
|
module_str = "IPython.extensions." + module_str
|
||||||
|
if module_str not in self.loaded:
|
||||||
|
return "not loaded"
|
||||||
|
|
||||||
|
if module_str in sys.modules:
|
||||||
|
mod = sys.modules[module_str]
|
||||||
|
if self._call_unload_ipython_extension(mod):
|
||||||
|
self.loaded.discard(module_str)
|
||||||
|
else:
|
||||||
|
return "no unload function"
|
||||||
|
|
||||||
|
def reload_extension(self, module_str: str):
|
||||||
|
"""Reload an IPython extension by calling reload.
|
||||||
|
|
||||||
|
If the module has not been loaded before,
|
||||||
|
:meth:`InteractiveShell.load_extension` is called. Otherwise
|
||||||
|
:func:`reload` is called and then the :func:`load_ipython_extension`
|
||||||
|
function of the module, if it exists is called.
|
||||||
|
"""
|
||||||
|
|
||||||
|
if BUILTINS_EXTS.get(module_str, False) is True:
|
||||||
|
module_str = "IPython.extensions." + module_str
|
||||||
|
|
||||||
|
if (module_str in self.loaded) and (module_str in sys.modules):
|
||||||
|
self.unload_extension(module_str)
|
||||||
|
mod = sys.modules[module_str]
|
||||||
|
reload(mod)
|
||||||
|
if self._call_load_ipython_extension(mod):
|
||||||
|
self.loaded.add(module_str)
|
||||||
|
else:
|
||||||
|
self.load_extension(module_str)
|
||||||
|
|
||||||
|
def _call_load_ipython_extension(self, mod):
|
||||||
|
if hasattr(mod, 'load_ipython_extension'):
|
||||||
|
mod.load_ipython_extension(self.shell)
|
||||||
|
return True
|
||||||
|
|
||||||
|
def _call_unload_ipython_extension(self, mod):
|
||||||
|
if hasattr(mod, 'unload_ipython_extension'):
|
||||||
|
mod.unload_ipython_extension(self.shell)
|
||||||
|
return True
|
1031
Лаб1/aimenv/Lib/site-packages/IPython/core/formatters.py
Normal file
1031
Лаб1/aimenv/Lib/site-packages/IPython/core/formatters.py
Normal file
File diff suppressed because it is too large
Load Diff
24
Лаб1/aimenv/Lib/site-packages/IPython/core/getipython.py
Normal file
24
Лаб1/aimenv/Lib/site-packages/IPython/core/getipython.py
Normal file
@ -0,0 +1,24 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""Simple function to call to get the current InteractiveShell instance
|
||||||
|
"""
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2013 The IPython Development Team
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Classes and functions
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
|
||||||
|
def get_ipython():
|
||||||
|
"""Get the global InteractiveShell instance.
|
||||||
|
|
||||||
|
Returns None if no InteractiveShell instance is registered.
|
||||||
|
"""
|
||||||
|
from IPython.core.interactiveshell import InteractiveShell
|
||||||
|
if InteractiveShell.initialized():
|
||||||
|
return InteractiveShell.instance()
|
898
Лаб1/aimenv/Lib/site-packages/IPython/core/guarded_eval.py
Normal file
898
Лаб1/aimenv/Lib/site-packages/IPython/core/guarded_eval.py
Normal file
@ -0,0 +1,898 @@
|
|||||||
|
from inspect import isclass, signature, Signature
|
||||||
|
from typing import (
|
||||||
|
Annotated,
|
||||||
|
AnyStr,
|
||||||
|
Callable,
|
||||||
|
Dict,
|
||||||
|
Literal,
|
||||||
|
NamedTuple,
|
||||||
|
NewType,
|
||||||
|
Optional,
|
||||||
|
Protocol,
|
||||||
|
Set,
|
||||||
|
Sequence,
|
||||||
|
Tuple,
|
||||||
|
Type,
|
||||||
|
TypeGuard,
|
||||||
|
Union,
|
||||||
|
get_args,
|
||||||
|
get_origin,
|
||||||
|
is_typeddict,
|
||||||
|
)
|
||||||
|
import ast
|
||||||
|
import builtins
|
||||||
|
import collections
|
||||||
|
import operator
|
||||||
|
import sys
|
||||||
|
from functools import cached_property
|
||||||
|
from dataclasses import dataclass, field
|
||||||
|
from types import MethodDescriptorType, ModuleType
|
||||||
|
|
||||||
|
from IPython.utils.decorators import undoc
|
||||||
|
|
||||||
|
|
||||||
|
if sys.version_info < (3, 11):
|
||||||
|
from typing_extensions import Self, LiteralString
|
||||||
|
else:
|
||||||
|
from typing import Self, LiteralString
|
||||||
|
|
||||||
|
if sys.version_info < (3, 12):
|
||||||
|
from typing_extensions import TypeAliasType
|
||||||
|
else:
|
||||||
|
from typing import TypeAliasType
|
||||||
|
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
class HasGetItem(Protocol):
|
||||||
|
def __getitem__(self, key) -> None:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
class InstancesHaveGetItem(Protocol):
|
||||||
|
def __call__(self, *args, **kwargs) -> HasGetItem:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
class HasGetAttr(Protocol):
|
||||||
|
def __getattr__(self, key) -> None:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
class DoesNotHaveGetAttr(Protocol):
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
# By default `__getattr__` is not explicitly implemented on most objects
|
||||||
|
MayHaveGetattr = Union[HasGetAttr, DoesNotHaveGetAttr]
|
||||||
|
|
||||||
|
|
||||||
|
def _unbind_method(func: Callable) -> Union[Callable, None]:
|
||||||
|
"""Get unbound method for given bound method.
|
||||||
|
|
||||||
|
Returns None if cannot get unbound method, or method is already unbound.
|
||||||
|
"""
|
||||||
|
owner = getattr(func, "__self__", None)
|
||||||
|
owner_class = type(owner)
|
||||||
|
name = getattr(func, "__name__", None)
|
||||||
|
instance_dict_overrides = getattr(owner, "__dict__", None)
|
||||||
|
if (
|
||||||
|
owner is not None
|
||||||
|
and name
|
||||||
|
and (
|
||||||
|
not instance_dict_overrides
|
||||||
|
or (instance_dict_overrides and name not in instance_dict_overrides)
|
||||||
|
)
|
||||||
|
):
|
||||||
|
return getattr(owner_class, name)
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
@dataclass
|
||||||
|
class EvaluationPolicy:
|
||||||
|
"""Definition of evaluation policy."""
|
||||||
|
|
||||||
|
allow_locals_access: bool = False
|
||||||
|
allow_globals_access: bool = False
|
||||||
|
allow_item_access: bool = False
|
||||||
|
allow_attr_access: bool = False
|
||||||
|
allow_builtins_access: bool = False
|
||||||
|
allow_all_operations: bool = False
|
||||||
|
allow_any_calls: bool = False
|
||||||
|
allowed_calls: Set[Callable] = field(default_factory=set)
|
||||||
|
|
||||||
|
def can_get_item(self, value, item):
|
||||||
|
return self.allow_item_access
|
||||||
|
|
||||||
|
def can_get_attr(self, value, attr):
|
||||||
|
return self.allow_attr_access
|
||||||
|
|
||||||
|
def can_operate(self, dunders: Tuple[str, ...], a, b=None):
|
||||||
|
if self.allow_all_operations:
|
||||||
|
return True
|
||||||
|
|
||||||
|
def can_call(self, func):
|
||||||
|
if self.allow_any_calls:
|
||||||
|
return True
|
||||||
|
|
||||||
|
if func in self.allowed_calls:
|
||||||
|
return True
|
||||||
|
|
||||||
|
owner_method = _unbind_method(func)
|
||||||
|
|
||||||
|
if owner_method and owner_method in self.allowed_calls:
|
||||||
|
return True
|
||||||
|
|
||||||
|
|
||||||
|
def _get_external(module_name: str, access_path: Sequence[str]):
|
||||||
|
"""Get value from external module given a dotted access path.
|
||||||
|
|
||||||
|
Raises:
|
||||||
|
* `KeyError` if module is removed not found, and
|
||||||
|
* `AttributeError` if acess path does not match an exported object
|
||||||
|
"""
|
||||||
|
member_type = sys.modules[module_name]
|
||||||
|
for attr in access_path:
|
||||||
|
member_type = getattr(member_type, attr)
|
||||||
|
return member_type
|
||||||
|
|
||||||
|
|
||||||
|
def _has_original_dunder_external(
|
||||||
|
value,
|
||||||
|
module_name: str,
|
||||||
|
access_path: Sequence[str],
|
||||||
|
method_name: str,
|
||||||
|
):
|
||||||
|
if module_name not in sys.modules:
|
||||||
|
# LBYLB as it is faster
|
||||||
|
return False
|
||||||
|
try:
|
||||||
|
member_type = _get_external(module_name, access_path)
|
||||||
|
value_type = type(value)
|
||||||
|
if type(value) == member_type:
|
||||||
|
return True
|
||||||
|
if method_name == "__getattribute__":
|
||||||
|
# we have to short-circuit here due to an unresolved issue in
|
||||||
|
# `isinstance` implementation: https://bugs.python.org/issue32683
|
||||||
|
return False
|
||||||
|
if isinstance(value, member_type):
|
||||||
|
method = getattr(value_type, method_name, None)
|
||||||
|
member_method = getattr(member_type, method_name, None)
|
||||||
|
if member_method == method:
|
||||||
|
return True
|
||||||
|
except (AttributeError, KeyError):
|
||||||
|
return False
|
||||||
|
|
||||||
|
|
||||||
|
def _has_original_dunder(
|
||||||
|
value, allowed_types, allowed_methods, allowed_external, method_name
|
||||||
|
):
|
||||||
|
# note: Python ignores `__getattr__`/`__getitem__` on instances,
|
||||||
|
# we only need to check at class level
|
||||||
|
value_type = type(value)
|
||||||
|
|
||||||
|
# strict type check passes → no need to check method
|
||||||
|
if value_type in allowed_types:
|
||||||
|
return True
|
||||||
|
|
||||||
|
method = getattr(value_type, method_name, None)
|
||||||
|
|
||||||
|
if method is None:
|
||||||
|
return None
|
||||||
|
|
||||||
|
if method in allowed_methods:
|
||||||
|
return True
|
||||||
|
|
||||||
|
for module_name, *access_path in allowed_external:
|
||||||
|
if _has_original_dunder_external(value, module_name, access_path, method_name):
|
||||||
|
return True
|
||||||
|
|
||||||
|
return False
|
||||||
|
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
@dataclass
|
||||||
|
class SelectivePolicy(EvaluationPolicy):
|
||||||
|
allowed_getitem: Set[InstancesHaveGetItem] = field(default_factory=set)
|
||||||
|
allowed_getitem_external: Set[Tuple[str, ...]] = field(default_factory=set)
|
||||||
|
|
||||||
|
allowed_getattr: Set[MayHaveGetattr] = field(default_factory=set)
|
||||||
|
allowed_getattr_external: Set[Tuple[str, ...]] = field(default_factory=set)
|
||||||
|
|
||||||
|
allowed_operations: Set = field(default_factory=set)
|
||||||
|
allowed_operations_external: Set[Tuple[str, ...]] = field(default_factory=set)
|
||||||
|
|
||||||
|
_operation_methods_cache: Dict[str, Set[Callable]] = field(
|
||||||
|
default_factory=dict, init=False
|
||||||
|
)
|
||||||
|
|
||||||
|
def can_get_attr(self, value, attr):
|
||||||
|
has_original_attribute = _has_original_dunder(
|
||||||
|
value,
|
||||||
|
allowed_types=self.allowed_getattr,
|
||||||
|
allowed_methods=self._getattribute_methods,
|
||||||
|
allowed_external=self.allowed_getattr_external,
|
||||||
|
method_name="__getattribute__",
|
||||||
|
)
|
||||||
|
has_original_attr = _has_original_dunder(
|
||||||
|
value,
|
||||||
|
allowed_types=self.allowed_getattr,
|
||||||
|
allowed_methods=self._getattr_methods,
|
||||||
|
allowed_external=self.allowed_getattr_external,
|
||||||
|
method_name="__getattr__",
|
||||||
|
)
|
||||||
|
|
||||||
|
accept = False
|
||||||
|
|
||||||
|
# Many objects do not have `__getattr__`, this is fine.
|
||||||
|
if has_original_attr is None and has_original_attribute:
|
||||||
|
accept = True
|
||||||
|
else:
|
||||||
|
# Accept objects without modifications to `__getattr__` and `__getattribute__`
|
||||||
|
accept = has_original_attr and has_original_attribute
|
||||||
|
|
||||||
|
if accept:
|
||||||
|
# We still need to check for overriden properties.
|
||||||
|
|
||||||
|
value_class = type(value)
|
||||||
|
if not hasattr(value_class, attr):
|
||||||
|
return True
|
||||||
|
|
||||||
|
class_attr_val = getattr(value_class, attr)
|
||||||
|
is_property = isinstance(class_attr_val, property)
|
||||||
|
|
||||||
|
if not is_property:
|
||||||
|
return True
|
||||||
|
|
||||||
|
# Properties in allowed types are ok (although we do not include any
|
||||||
|
# properties in our default allow list currently).
|
||||||
|
if type(value) in self.allowed_getattr:
|
||||||
|
return True # pragma: no cover
|
||||||
|
|
||||||
|
# Properties in subclasses of allowed types may be ok if not changed
|
||||||
|
for module_name, *access_path in self.allowed_getattr_external:
|
||||||
|
try:
|
||||||
|
external_class = _get_external(module_name, access_path)
|
||||||
|
external_class_attr_val = getattr(external_class, attr)
|
||||||
|
except (KeyError, AttributeError):
|
||||||
|
return False # pragma: no cover
|
||||||
|
return class_attr_val == external_class_attr_val
|
||||||
|
|
||||||
|
return False
|
||||||
|
|
||||||
|
def can_get_item(self, value, item):
|
||||||
|
"""Allow accessing `__getiitem__` of allow-listed instances unless it was not modified."""
|
||||||
|
return _has_original_dunder(
|
||||||
|
value,
|
||||||
|
allowed_types=self.allowed_getitem,
|
||||||
|
allowed_methods=self._getitem_methods,
|
||||||
|
allowed_external=self.allowed_getitem_external,
|
||||||
|
method_name="__getitem__",
|
||||||
|
)
|
||||||
|
|
||||||
|
def can_operate(self, dunders: Tuple[str, ...], a, b=None):
|
||||||
|
objects = [a]
|
||||||
|
if b is not None:
|
||||||
|
objects.append(b)
|
||||||
|
return all(
|
||||||
|
[
|
||||||
|
_has_original_dunder(
|
||||||
|
obj,
|
||||||
|
allowed_types=self.allowed_operations,
|
||||||
|
allowed_methods=self._operator_dunder_methods(dunder),
|
||||||
|
allowed_external=self.allowed_operations_external,
|
||||||
|
method_name=dunder,
|
||||||
|
)
|
||||||
|
for dunder in dunders
|
||||||
|
for obj in objects
|
||||||
|
]
|
||||||
|
)
|
||||||
|
|
||||||
|
def _operator_dunder_methods(self, dunder: str) -> Set[Callable]:
|
||||||
|
if dunder not in self._operation_methods_cache:
|
||||||
|
self._operation_methods_cache[dunder] = self._safe_get_methods(
|
||||||
|
self.allowed_operations, dunder
|
||||||
|
)
|
||||||
|
return self._operation_methods_cache[dunder]
|
||||||
|
|
||||||
|
@cached_property
|
||||||
|
def _getitem_methods(self) -> Set[Callable]:
|
||||||
|
return self._safe_get_methods(self.allowed_getitem, "__getitem__")
|
||||||
|
|
||||||
|
@cached_property
|
||||||
|
def _getattr_methods(self) -> Set[Callable]:
|
||||||
|
return self._safe_get_methods(self.allowed_getattr, "__getattr__")
|
||||||
|
|
||||||
|
@cached_property
|
||||||
|
def _getattribute_methods(self) -> Set[Callable]:
|
||||||
|
return self._safe_get_methods(self.allowed_getattr, "__getattribute__")
|
||||||
|
|
||||||
|
def _safe_get_methods(self, classes, name) -> Set[Callable]:
|
||||||
|
return {
|
||||||
|
method
|
||||||
|
for class_ in classes
|
||||||
|
for method in [getattr(class_, name, None)]
|
||||||
|
if method
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
class _DummyNamedTuple(NamedTuple):
|
||||||
|
"""Used internally to retrieve methods of named tuple instance."""
|
||||||
|
|
||||||
|
|
||||||
|
class EvaluationContext(NamedTuple):
|
||||||
|
#: Local namespace
|
||||||
|
locals: dict
|
||||||
|
#: Global namespace
|
||||||
|
globals: dict
|
||||||
|
#: Evaluation policy identifier
|
||||||
|
evaluation: Literal[
|
||||||
|
"forbidden", "minimal", "limited", "unsafe", "dangerous"
|
||||||
|
] = "forbidden"
|
||||||
|
#: Whether the evalution of code takes place inside of a subscript.
|
||||||
|
#: Useful for evaluating ``:-1, 'col'`` in ``df[:-1, 'col']``.
|
||||||
|
in_subscript: bool = False
|
||||||
|
|
||||||
|
|
||||||
|
class _IdentitySubscript:
|
||||||
|
"""Returns the key itself when item is requested via subscript."""
|
||||||
|
|
||||||
|
def __getitem__(self, key):
|
||||||
|
return key
|
||||||
|
|
||||||
|
|
||||||
|
IDENTITY_SUBSCRIPT = _IdentitySubscript()
|
||||||
|
SUBSCRIPT_MARKER = "__SUBSCRIPT_SENTINEL__"
|
||||||
|
UNKNOWN_SIGNATURE = Signature()
|
||||||
|
NOT_EVALUATED = object()
|
||||||
|
|
||||||
|
|
||||||
|
class GuardRejection(Exception):
|
||||||
|
"""Exception raised when guard rejects evaluation attempt."""
|
||||||
|
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
def guarded_eval(code: str, context: EvaluationContext):
|
||||||
|
"""Evaluate provided code in the evaluation context.
|
||||||
|
|
||||||
|
If evaluation policy given by context is set to ``forbidden``
|
||||||
|
no evaluation will be performed; if it is set to ``dangerous``
|
||||||
|
standard :func:`eval` will be used; finally, for any other,
|
||||||
|
policy :func:`eval_node` will be called on parsed AST.
|
||||||
|
"""
|
||||||
|
locals_ = context.locals
|
||||||
|
|
||||||
|
if context.evaluation == "forbidden":
|
||||||
|
raise GuardRejection("Forbidden mode")
|
||||||
|
|
||||||
|
# note: not using `ast.literal_eval` as it does not implement
|
||||||
|
# getitem at all, for example it fails on simple `[0][1]`
|
||||||
|
|
||||||
|
if context.in_subscript:
|
||||||
|
# syntatic sugar for ellipsis (:) is only available in susbcripts
|
||||||
|
# so we need to trick the ast parser into thinking that we have
|
||||||
|
# a subscript, but we need to be able to later recognise that we did
|
||||||
|
# it so we can ignore the actual __getitem__ operation
|
||||||
|
if not code:
|
||||||
|
return tuple()
|
||||||
|
locals_ = locals_.copy()
|
||||||
|
locals_[SUBSCRIPT_MARKER] = IDENTITY_SUBSCRIPT
|
||||||
|
code = SUBSCRIPT_MARKER + "[" + code + "]"
|
||||||
|
context = EvaluationContext(**{**context._asdict(), **{"locals": locals_}})
|
||||||
|
|
||||||
|
if context.evaluation == "dangerous":
|
||||||
|
return eval(code, context.globals, context.locals)
|
||||||
|
|
||||||
|
expression = ast.parse(code, mode="eval")
|
||||||
|
|
||||||
|
return eval_node(expression, context)
|
||||||
|
|
||||||
|
|
||||||
|
BINARY_OP_DUNDERS: Dict[Type[ast.operator], Tuple[str]] = {
|
||||||
|
ast.Add: ("__add__",),
|
||||||
|
ast.Sub: ("__sub__",),
|
||||||
|
ast.Mult: ("__mul__",),
|
||||||
|
ast.Div: ("__truediv__",),
|
||||||
|
ast.FloorDiv: ("__floordiv__",),
|
||||||
|
ast.Mod: ("__mod__",),
|
||||||
|
ast.Pow: ("__pow__",),
|
||||||
|
ast.LShift: ("__lshift__",),
|
||||||
|
ast.RShift: ("__rshift__",),
|
||||||
|
ast.BitOr: ("__or__",),
|
||||||
|
ast.BitXor: ("__xor__",),
|
||||||
|
ast.BitAnd: ("__and__",),
|
||||||
|
ast.MatMult: ("__matmul__",),
|
||||||
|
}
|
||||||
|
|
||||||
|
COMP_OP_DUNDERS: Dict[Type[ast.cmpop], Tuple[str, ...]] = {
|
||||||
|
ast.Eq: ("__eq__",),
|
||||||
|
ast.NotEq: ("__ne__", "__eq__"),
|
||||||
|
ast.Lt: ("__lt__", "__gt__"),
|
||||||
|
ast.LtE: ("__le__", "__ge__"),
|
||||||
|
ast.Gt: ("__gt__", "__lt__"),
|
||||||
|
ast.GtE: ("__ge__", "__le__"),
|
||||||
|
ast.In: ("__contains__",),
|
||||||
|
# Note: ast.Is, ast.IsNot, ast.NotIn are handled specially
|
||||||
|
}
|
||||||
|
|
||||||
|
UNARY_OP_DUNDERS: Dict[Type[ast.unaryop], Tuple[str, ...]] = {
|
||||||
|
ast.USub: ("__neg__",),
|
||||||
|
ast.UAdd: ("__pos__",),
|
||||||
|
# we have to check both __inv__ and __invert__!
|
||||||
|
ast.Invert: ("__invert__", "__inv__"),
|
||||||
|
ast.Not: ("__not__",),
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
class ImpersonatingDuck:
|
||||||
|
"""A dummy class used to create objects of other classes without calling their ``__init__``"""
|
||||||
|
|
||||||
|
# no-op: override __class__ to impersonate
|
||||||
|
|
||||||
|
|
||||||
|
class _Duck:
|
||||||
|
"""A dummy class used to create objects pretending to have given attributes"""
|
||||||
|
|
||||||
|
def __init__(self, attributes: Optional[dict] = None, items: Optional[dict] = None):
|
||||||
|
self.attributes = attributes or {}
|
||||||
|
self.items = items or {}
|
||||||
|
|
||||||
|
def __getattr__(self, attr: str):
|
||||||
|
return self.attributes[attr]
|
||||||
|
|
||||||
|
def __hasattr__(self, attr: str):
|
||||||
|
return attr in self.attributes
|
||||||
|
|
||||||
|
def __dir__(self):
|
||||||
|
return [*dir(super), *self.attributes]
|
||||||
|
|
||||||
|
def __getitem__(self, key: str):
|
||||||
|
return self.items[key]
|
||||||
|
|
||||||
|
def __hasitem__(self, key: str):
|
||||||
|
return self.items[key]
|
||||||
|
|
||||||
|
def _ipython_key_completions_(self):
|
||||||
|
return self.items.keys()
|
||||||
|
|
||||||
|
|
||||||
|
def _find_dunder(node_op, dunders) -> Union[Tuple[str, ...], None]:
|
||||||
|
dunder = None
|
||||||
|
for op, candidate_dunder in dunders.items():
|
||||||
|
if isinstance(node_op, op):
|
||||||
|
dunder = candidate_dunder
|
||||||
|
return dunder
|
||||||
|
|
||||||
|
|
||||||
|
def eval_node(node: Union[ast.AST, None], context: EvaluationContext):
|
||||||
|
"""Evaluate AST node in provided context.
|
||||||
|
|
||||||
|
Applies evaluation restrictions defined in the context. Currently does not support evaluation of functions with keyword arguments.
|
||||||
|
|
||||||
|
Does not evaluate actions that always have side effects:
|
||||||
|
|
||||||
|
- class definitions (``class sth: ...``)
|
||||||
|
- function definitions (``def sth: ...``)
|
||||||
|
- variable assignments (``x = 1``)
|
||||||
|
- augmented assignments (``x += 1``)
|
||||||
|
- deletions (``del x``)
|
||||||
|
|
||||||
|
Does not evaluate operations which do not return values:
|
||||||
|
|
||||||
|
- assertions (``assert x``)
|
||||||
|
- pass (``pass``)
|
||||||
|
- imports (``import x``)
|
||||||
|
- control flow:
|
||||||
|
|
||||||
|
- conditionals (``if x:``) except for ternary IfExp (``a if x else b``)
|
||||||
|
- loops (``for`` and ``while``)
|
||||||
|
- exception handling
|
||||||
|
|
||||||
|
The purpose of this function is to guard against unwanted side-effects;
|
||||||
|
it does not give guarantees on protection from malicious code execution.
|
||||||
|
"""
|
||||||
|
policy = EVALUATION_POLICIES[context.evaluation]
|
||||||
|
if node is None:
|
||||||
|
return None
|
||||||
|
if isinstance(node, ast.Expression):
|
||||||
|
return eval_node(node.body, context)
|
||||||
|
if isinstance(node, ast.BinOp):
|
||||||
|
left = eval_node(node.left, context)
|
||||||
|
right = eval_node(node.right, context)
|
||||||
|
dunders = _find_dunder(node.op, BINARY_OP_DUNDERS)
|
||||||
|
if dunders:
|
||||||
|
if policy.can_operate(dunders, left, right):
|
||||||
|
return getattr(left, dunders[0])(right)
|
||||||
|
else:
|
||||||
|
raise GuardRejection(
|
||||||
|
f"Operation (`{dunders}`) for",
|
||||||
|
type(left),
|
||||||
|
f"not allowed in {context.evaluation} mode",
|
||||||
|
)
|
||||||
|
if isinstance(node, ast.Compare):
|
||||||
|
left = eval_node(node.left, context)
|
||||||
|
all_true = True
|
||||||
|
negate = False
|
||||||
|
for op, right in zip(node.ops, node.comparators):
|
||||||
|
right = eval_node(right, context)
|
||||||
|
dunder = None
|
||||||
|
dunders = _find_dunder(op, COMP_OP_DUNDERS)
|
||||||
|
if not dunders:
|
||||||
|
if isinstance(op, ast.NotIn):
|
||||||
|
dunders = COMP_OP_DUNDERS[ast.In]
|
||||||
|
negate = True
|
||||||
|
if isinstance(op, ast.Is):
|
||||||
|
dunder = "is_"
|
||||||
|
if isinstance(op, ast.IsNot):
|
||||||
|
dunder = "is_"
|
||||||
|
negate = True
|
||||||
|
if not dunder and dunders:
|
||||||
|
dunder = dunders[0]
|
||||||
|
if dunder:
|
||||||
|
a, b = (right, left) if dunder == "__contains__" else (left, right)
|
||||||
|
if dunder == "is_" or dunders and policy.can_operate(dunders, a, b):
|
||||||
|
result = getattr(operator, dunder)(a, b)
|
||||||
|
if negate:
|
||||||
|
result = not result
|
||||||
|
if not result:
|
||||||
|
all_true = False
|
||||||
|
left = right
|
||||||
|
else:
|
||||||
|
raise GuardRejection(
|
||||||
|
f"Comparison (`{dunder}`) for",
|
||||||
|
type(left),
|
||||||
|
f"not allowed in {context.evaluation} mode",
|
||||||
|
)
|
||||||
|
else:
|
||||||
|
raise ValueError(
|
||||||
|
f"Comparison `{dunder}` not supported"
|
||||||
|
) # pragma: no cover
|
||||||
|
return all_true
|
||||||
|
if isinstance(node, ast.Constant):
|
||||||
|
return node.value
|
||||||
|
if isinstance(node, ast.Tuple):
|
||||||
|
return tuple(eval_node(e, context) for e in node.elts)
|
||||||
|
if isinstance(node, ast.List):
|
||||||
|
return [eval_node(e, context) for e in node.elts]
|
||||||
|
if isinstance(node, ast.Set):
|
||||||
|
return {eval_node(e, context) for e in node.elts}
|
||||||
|
if isinstance(node, ast.Dict):
|
||||||
|
return dict(
|
||||||
|
zip(
|
||||||
|
[eval_node(k, context) for k in node.keys],
|
||||||
|
[eval_node(v, context) for v in node.values],
|
||||||
|
)
|
||||||
|
)
|
||||||
|
if isinstance(node, ast.Slice):
|
||||||
|
return slice(
|
||||||
|
eval_node(node.lower, context),
|
||||||
|
eval_node(node.upper, context),
|
||||||
|
eval_node(node.step, context),
|
||||||
|
)
|
||||||
|
if isinstance(node, ast.UnaryOp):
|
||||||
|
value = eval_node(node.operand, context)
|
||||||
|
dunders = _find_dunder(node.op, UNARY_OP_DUNDERS)
|
||||||
|
if dunders:
|
||||||
|
if policy.can_operate(dunders, value):
|
||||||
|
return getattr(value, dunders[0])()
|
||||||
|
else:
|
||||||
|
raise GuardRejection(
|
||||||
|
f"Operation (`{dunders}`) for",
|
||||||
|
type(value),
|
||||||
|
f"not allowed in {context.evaluation} mode",
|
||||||
|
)
|
||||||
|
if isinstance(node, ast.Subscript):
|
||||||
|
value = eval_node(node.value, context)
|
||||||
|
slice_ = eval_node(node.slice, context)
|
||||||
|
if policy.can_get_item(value, slice_):
|
||||||
|
return value[slice_]
|
||||||
|
raise GuardRejection(
|
||||||
|
"Subscript access (`__getitem__`) for",
|
||||||
|
type(value), # not joined to avoid calling `repr`
|
||||||
|
f" not allowed in {context.evaluation} mode",
|
||||||
|
)
|
||||||
|
if isinstance(node, ast.Name):
|
||||||
|
return _eval_node_name(node.id, context)
|
||||||
|
if isinstance(node, ast.Attribute):
|
||||||
|
value = eval_node(node.value, context)
|
||||||
|
if policy.can_get_attr(value, node.attr):
|
||||||
|
return getattr(value, node.attr)
|
||||||
|
raise GuardRejection(
|
||||||
|
"Attribute access (`__getattr__`) for",
|
||||||
|
type(value), # not joined to avoid calling `repr`
|
||||||
|
f"not allowed in {context.evaluation} mode",
|
||||||
|
)
|
||||||
|
if isinstance(node, ast.IfExp):
|
||||||
|
test = eval_node(node.test, context)
|
||||||
|
if test:
|
||||||
|
return eval_node(node.body, context)
|
||||||
|
else:
|
||||||
|
return eval_node(node.orelse, context)
|
||||||
|
if isinstance(node, ast.Call):
|
||||||
|
func = eval_node(node.func, context)
|
||||||
|
if policy.can_call(func) and not node.keywords:
|
||||||
|
args = [eval_node(arg, context) for arg in node.args]
|
||||||
|
return func(*args)
|
||||||
|
if isclass(func):
|
||||||
|
# this code path gets entered when calling class e.g. `MyClass()`
|
||||||
|
# or `my_instance.__class__()` - in both cases `func` is `MyClass`.
|
||||||
|
# Should return `MyClass` if `__new__` is not overridden,
|
||||||
|
# otherwise whatever `__new__` return type is.
|
||||||
|
overridden_return_type = _eval_return_type(func.__new__, node, context)
|
||||||
|
if overridden_return_type is not NOT_EVALUATED:
|
||||||
|
return overridden_return_type
|
||||||
|
return _create_duck_for_heap_type(func)
|
||||||
|
else:
|
||||||
|
return_type = _eval_return_type(func, node, context)
|
||||||
|
if return_type is not NOT_EVALUATED:
|
||||||
|
return return_type
|
||||||
|
raise GuardRejection(
|
||||||
|
"Call for",
|
||||||
|
func, # not joined to avoid calling `repr`
|
||||||
|
f"not allowed in {context.evaluation} mode",
|
||||||
|
)
|
||||||
|
raise ValueError("Unhandled node", ast.dump(node))
|
||||||
|
|
||||||
|
|
||||||
|
def _eval_return_type(func: Callable, node: ast.Call, context: EvaluationContext):
|
||||||
|
"""Evaluate return type of a given callable function.
|
||||||
|
|
||||||
|
Returns the built-in type, a duck or NOT_EVALUATED sentinel.
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
sig = signature(func)
|
||||||
|
except ValueError:
|
||||||
|
sig = UNKNOWN_SIGNATURE
|
||||||
|
# if annotation was not stringized, or it was stringized
|
||||||
|
# but resolved by signature call we know the return type
|
||||||
|
not_empty = sig.return_annotation is not Signature.empty
|
||||||
|
if not_empty:
|
||||||
|
return _resolve_annotation(sig.return_annotation, sig, func, node, context)
|
||||||
|
return NOT_EVALUATED
|
||||||
|
|
||||||
|
|
||||||
|
def _resolve_annotation(
|
||||||
|
annotation,
|
||||||
|
sig: Signature,
|
||||||
|
func: Callable,
|
||||||
|
node: ast.Call,
|
||||||
|
context: EvaluationContext,
|
||||||
|
):
|
||||||
|
"""Resolve annotation created by user with `typing` module and custom objects."""
|
||||||
|
annotation = (
|
||||||
|
_eval_node_name(annotation, context)
|
||||||
|
if isinstance(annotation, str)
|
||||||
|
else annotation
|
||||||
|
)
|
||||||
|
origin = get_origin(annotation)
|
||||||
|
if annotation is Self and hasattr(func, "__self__"):
|
||||||
|
return func.__self__
|
||||||
|
elif origin is Literal:
|
||||||
|
type_args = get_args(annotation)
|
||||||
|
if len(type_args) == 1:
|
||||||
|
return type_args[0]
|
||||||
|
elif annotation is LiteralString:
|
||||||
|
return ""
|
||||||
|
elif annotation is AnyStr:
|
||||||
|
index = None
|
||||||
|
for i, (key, value) in enumerate(sig.parameters.items()):
|
||||||
|
if value.annotation is AnyStr:
|
||||||
|
index = i
|
||||||
|
break
|
||||||
|
if index is not None and index < len(node.args):
|
||||||
|
return eval_node(node.args[index], context)
|
||||||
|
elif origin is TypeGuard:
|
||||||
|
return bool()
|
||||||
|
elif origin is Union:
|
||||||
|
attributes = [
|
||||||
|
attr
|
||||||
|
for type_arg in get_args(annotation)
|
||||||
|
for attr in dir(_resolve_annotation(type_arg, sig, func, node, context))
|
||||||
|
]
|
||||||
|
return _Duck(attributes=dict.fromkeys(attributes))
|
||||||
|
elif is_typeddict(annotation):
|
||||||
|
return _Duck(
|
||||||
|
attributes=dict.fromkeys(dir(dict())),
|
||||||
|
items={
|
||||||
|
k: _resolve_annotation(v, sig, func, node, context)
|
||||||
|
for k, v in annotation.__annotations__.items()
|
||||||
|
},
|
||||||
|
)
|
||||||
|
elif hasattr(annotation, "_is_protocol"):
|
||||||
|
return _Duck(attributes=dict.fromkeys(dir(annotation)))
|
||||||
|
elif origin is Annotated:
|
||||||
|
type_arg = get_args(annotation)[0]
|
||||||
|
return _resolve_annotation(type_arg, sig, func, node, context)
|
||||||
|
elif isinstance(annotation, NewType):
|
||||||
|
return _eval_or_create_duck(annotation.__supertype__, node, context)
|
||||||
|
elif isinstance(annotation, TypeAliasType):
|
||||||
|
return _eval_or_create_duck(annotation.__value__, node, context)
|
||||||
|
else:
|
||||||
|
return _eval_or_create_duck(annotation, node, context)
|
||||||
|
|
||||||
|
|
||||||
|
def _eval_node_name(node_id: str, context: EvaluationContext):
|
||||||
|
policy = EVALUATION_POLICIES[context.evaluation]
|
||||||
|
if policy.allow_locals_access and node_id in context.locals:
|
||||||
|
return context.locals[node_id]
|
||||||
|
if policy.allow_globals_access and node_id in context.globals:
|
||||||
|
return context.globals[node_id]
|
||||||
|
if policy.allow_builtins_access and hasattr(builtins, node_id):
|
||||||
|
# note: do not use __builtins__, it is implementation detail of cPython
|
||||||
|
return getattr(builtins, node_id)
|
||||||
|
if not policy.allow_globals_access and not policy.allow_locals_access:
|
||||||
|
raise GuardRejection(
|
||||||
|
f"Namespace access not allowed in {context.evaluation} mode"
|
||||||
|
)
|
||||||
|
else:
|
||||||
|
raise NameError(f"{node_id} not found in locals, globals, nor builtins")
|
||||||
|
|
||||||
|
|
||||||
|
def _eval_or_create_duck(duck_type, node: ast.Call, context: EvaluationContext):
|
||||||
|
policy = EVALUATION_POLICIES[context.evaluation]
|
||||||
|
# if allow-listed builtin is on type annotation, instantiate it
|
||||||
|
if policy.can_call(duck_type) and not node.keywords:
|
||||||
|
args = [eval_node(arg, context) for arg in node.args]
|
||||||
|
return duck_type(*args)
|
||||||
|
# if custom class is in type annotation, mock it
|
||||||
|
return _create_duck_for_heap_type(duck_type)
|
||||||
|
|
||||||
|
|
||||||
|
def _create_duck_for_heap_type(duck_type):
|
||||||
|
"""Create an imitation of an object of a given type (a duck).
|
||||||
|
|
||||||
|
Returns the duck or NOT_EVALUATED sentinel if duck could not be created.
|
||||||
|
"""
|
||||||
|
duck = ImpersonatingDuck()
|
||||||
|
try:
|
||||||
|
# this only works for heap types, not builtins
|
||||||
|
duck.__class__ = duck_type
|
||||||
|
return duck
|
||||||
|
except TypeError:
|
||||||
|
pass
|
||||||
|
return NOT_EVALUATED
|
||||||
|
|
||||||
|
|
||||||
|
SUPPORTED_EXTERNAL_GETITEM = {
|
||||||
|
("pandas", "core", "indexing", "_iLocIndexer"),
|
||||||
|
("pandas", "core", "indexing", "_LocIndexer"),
|
||||||
|
("pandas", "DataFrame"),
|
||||||
|
("pandas", "Series"),
|
||||||
|
("numpy", "ndarray"),
|
||||||
|
("numpy", "void"),
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
BUILTIN_GETITEM: Set[InstancesHaveGetItem] = {
|
||||||
|
dict,
|
||||||
|
str, # type: ignore[arg-type]
|
||||||
|
bytes, # type: ignore[arg-type]
|
||||||
|
list,
|
||||||
|
tuple,
|
||||||
|
collections.defaultdict,
|
||||||
|
collections.deque,
|
||||||
|
collections.OrderedDict,
|
||||||
|
collections.ChainMap,
|
||||||
|
collections.UserDict,
|
||||||
|
collections.UserList,
|
||||||
|
collections.UserString, # type: ignore[arg-type]
|
||||||
|
_DummyNamedTuple,
|
||||||
|
_IdentitySubscript,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
def _list_methods(cls, source=None):
|
||||||
|
"""For use on immutable objects or with methods returning a copy"""
|
||||||
|
return [getattr(cls, k) for k in (source if source else dir(cls))]
|
||||||
|
|
||||||
|
|
||||||
|
dict_non_mutating_methods = ("copy", "keys", "values", "items")
|
||||||
|
list_non_mutating_methods = ("copy", "index", "count")
|
||||||
|
set_non_mutating_methods = set(dir(set)) & set(dir(frozenset))
|
||||||
|
|
||||||
|
|
||||||
|
dict_keys: Type[collections.abc.KeysView] = type({}.keys())
|
||||||
|
|
||||||
|
NUMERICS = {int, float, complex}
|
||||||
|
|
||||||
|
ALLOWED_CALLS = {
|
||||||
|
bytes,
|
||||||
|
*_list_methods(bytes),
|
||||||
|
dict,
|
||||||
|
*_list_methods(dict, dict_non_mutating_methods),
|
||||||
|
dict_keys.isdisjoint,
|
||||||
|
list,
|
||||||
|
*_list_methods(list, list_non_mutating_methods),
|
||||||
|
set,
|
||||||
|
*_list_methods(set, set_non_mutating_methods),
|
||||||
|
frozenset,
|
||||||
|
*_list_methods(frozenset),
|
||||||
|
range,
|
||||||
|
str,
|
||||||
|
*_list_methods(str),
|
||||||
|
tuple,
|
||||||
|
*_list_methods(tuple),
|
||||||
|
*NUMERICS,
|
||||||
|
*[method for numeric_cls in NUMERICS for method in _list_methods(numeric_cls)],
|
||||||
|
collections.deque,
|
||||||
|
*_list_methods(collections.deque, list_non_mutating_methods),
|
||||||
|
collections.defaultdict,
|
||||||
|
*_list_methods(collections.defaultdict, dict_non_mutating_methods),
|
||||||
|
collections.OrderedDict,
|
||||||
|
*_list_methods(collections.OrderedDict, dict_non_mutating_methods),
|
||||||
|
collections.UserDict,
|
||||||
|
*_list_methods(collections.UserDict, dict_non_mutating_methods),
|
||||||
|
collections.UserList,
|
||||||
|
*_list_methods(collections.UserList, list_non_mutating_methods),
|
||||||
|
collections.UserString,
|
||||||
|
*_list_methods(collections.UserString, dir(str)),
|
||||||
|
collections.Counter,
|
||||||
|
*_list_methods(collections.Counter, dict_non_mutating_methods),
|
||||||
|
collections.Counter.elements,
|
||||||
|
collections.Counter.most_common,
|
||||||
|
}
|
||||||
|
|
||||||
|
BUILTIN_GETATTR: Set[MayHaveGetattr] = {
|
||||||
|
*BUILTIN_GETITEM,
|
||||||
|
set,
|
||||||
|
frozenset,
|
||||||
|
object,
|
||||||
|
type, # `type` handles a lot of generic cases, e.g. numbers as in `int.real`.
|
||||||
|
*NUMERICS,
|
||||||
|
dict_keys,
|
||||||
|
MethodDescriptorType,
|
||||||
|
ModuleType,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
BUILTIN_OPERATIONS = {*BUILTIN_GETATTR}
|
||||||
|
|
||||||
|
EVALUATION_POLICIES = {
|
||||||
|
"minimal": EvaluationPolicy(
|
||||||
|
allow_builtins_access=True,
|
||||||
|
allow_locals_access=False,
|
||||||
|
allow_globals_access=False,
|
||||||
|
allow_item_access=False,
|
||||||
|
allow_attr_access=False,
|
||||||
|
allowed_calls=set(),
|
||||||
|
allow_any_calls=False,
|
||||||
|
allow_all_operations=False,
|
||||||
|
),
|
||||||
|
"limited": SelectivePolicy(
|
||||||
|
allowed_getitem=BUILTIN_GETITEM,
|
||||||
|
allowed_getitem_external=SUPPORTED_EXTERNAL_GETITEM,
|
||||||
|
allowed_getattr=BUILTIN_GETATTR,
|
||||||
|
allowed_getattr_external={
|
||||||
|
# pandas Series/Frame implements custom `__getattr__`
|
||||||
|
("pandas", "DataFrame"),
|
||||||
|
("pandas", "Series"),
|
||||||
|
},
|
||||||
|
allowed_operations=BUILTIN_OPERATIONS,
|
||||||
|
allow_builtins_access=True,
|
||||||
|
allow_locals_access=True,
|
||||||
|
allow_globals_access=True,
|
||||||
|
allowed_calls=ALLOWED_CALLS,
|
||||||
|
),
|
||||||
|
"unsafe": EvaluationPolicy(
|
||||||
|
allow_builtins_access=True,
|
||||||
|
allow_locals_access=True,
|
||||||
|
allow_globals_access=True,
|
||||||
|
allow_attr_access=True,
|
||||||
|
allow_item_access=True,
|
||||||
|
allow_any_calls=True,
|
||||||
|
allow_all_operations=True,
|
||||||
|
),
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
__all__ = [
|
||||||
|
"guarded_eval",
|
||||||
|
"eval_node",
|
||||||
|
"GuardRejection",
|
||||||
|
"EvaluationContext",
|
||||||
|
"_unbind_method",
|
||||||
|
]
|
989
Лаб1/aimenv/Lib/site-packages/IPython/core/history.py
Normal file
989
Лаб1/aimenv/Lib/site-packages/IPython/core/history.py
Normal file
@ -0,0 +1,989 @@
|
|||||||
|
""" History related magics and functionality """
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
|
||||||
|
import atexit
|
||||||
|
import datetime
|
||||||
|
import re
|
||||||
|
import sqlite3
|
||||||
|
import threading
|
||||||
|
from pathlib import Path
|
||||||
|
|
||||||
|
from decorator import decorator
|
||||||
|
from traitlets import (
|
||||||
|
Any,
|
||||||
|
Bool,
|
||||||
|
Dict,
|
||||||
|
Instance,
|
||||||
|
Integer,
|
||||||
|
List,
|
||||||
|
TraitError,
|
||||||
|
Unicode,
|
||||||
|
Union,
|
||||||
|
default,
|
||||||
|
observe,
|
||||||
|
)
|
||||||
|
from traitlets.config.configurable import LoggingConfigurable
|
||||||
|
|
||||||
|
from IPython.paths import locate_profile
|
||||||
|
from IPython.utils.decorators import undoc
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Classes and functions
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
class DummyDB(object):
|
||||||
|
"""Dummy DB that will act as a black hole for history.
|
||||||
|
|
||||||
|
Only used in the absence of sqlite"""
|
||||||
|
def execute(*args, **kwargs):
|
||||||
|
return []
|
||||||
|
|
||||||
|
def commit(self, *args, **kwargs):
|
||||||
|
pass
|
||||||
|
|
||||||
|
def __enter__(self, *args, **kwargs):
|
||||||
|
pass
|
||||||
|
|
||||||
|
def __exit__(self, *args, **kwargs):
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
@decorator
|
||||||
|
def only_when_enabled(f, self, *a, **kw):
|
||||||
|
"""Decorator: return an empty list in the absence of sqlite."""
|
||||||
|
if not self.enabled:
|
||||||
|
return []
|
||||||
|
else:
|
||||||
|
return f(self, *a, **kw)
|
||||||
|
|
||||||
|
|
||||||
|
# use 16kB as threshold for whether a corrupt history db should be saved
|
||||||
|
# that should be at least 100 entries or so
|
||||||
|
_SAVE_DB_SIZE = 16384
|
||||||
|
|
||||||
|
@decorator
|
||||||
|
def catch_corrupt_db(f, self, *a, **kw):
|
||||||
|
"""A decorator which wraps HistoryAccessor method calls to catch errors from
|
||||||
|
a corrupt SQLite database, move the old database out of the way, and create
|
||||||
|
a new one.
|
||||||
|
|
||||||
|
We avoid clobbering larger databases because this may be triggered due to filesystem issues,
|
||||||
|
not just a corrupt file.
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
return f(self, *a, **kw)
|
||||||
|
except (sqlite3.DatabaseError, sqlite3.OperationalError) as e:
|
||||||
|
self._corrupt_db_counter += 1
|
||||||
|
self.log.error("Failed to open SQLite history %s (%s).", self.hist_file, e)
|
||||||
|
if self.hist_file != ':memory:':
|
||||||
|
if self._corrupt_db_counter > self._corrupt_db_limit:
|
||||||
|
self.hist_file = ':memory:'
|
||||||
|
self.log.error("Failed to load history too many times, history will not be saved.")
|
||||||
|
elif self.hist_file.is_file():
|
||||||
|
# move the file out of the way
|
||||||
|
base = str(self.hist_file.parent / self.hist_file.stem)
|
||||||
|
ext = self.hist_file.suffix
|
||||||
|
size = self.hist_file.stat().st_size
|
||||||
|
if size >= _SAVE_DB_SIZE:
|
||||||
|
# if there's significant content, avoid clobbering
|
||||||
|
now = datetime.datetime.now().isoformat().replace(':', '.')
|
||||||
|
newpath = base + '-corrupt-' + now + ext
|
||||||
|
# don't clobber previous corrupt backups
|
||||||
|
for i in range(100):
|
||||||
|
if not Path(newpath).exists():
|
||||||
|
break
|
||||||
|
else:
|
||||||
|
newpath = base + '-corrupt-' + now + (u'-%i' % i) + ext
|
||||||
|
else:
|
||||||
|
# not much content, possibly empty; don't worry about clobbering
|
||||||
|
# maybe we should just delete it?
|
||||||
|
newpath = base + '-corrupt' + ext
|
||||||
|
self.hist_file.rename(newpath)
|
||||||
|
self.log.error("History file was moved to %s and a new file created.", newpath)
|
||||||
|
self.init_db()
|
||||||
|
return []
|
||||||
|
else:
|
||||||
|
# Failed with :memory:, something serious is wrong
|
||||||
|
raise
|
||||||
|
|
||||||
|
|
||||||
|
class HistoryAccessorBase(LoggingConfigurable):
|
||||||
|
"""An abstract class for History Accessors """
|
||||||
|
|
||||||
|
def get_tail(self, n=10, raw=True, output=False, include_latest=False):
|
||||||
|
raise NotImplementedError
|
||||||
|
|
||||||
|
def search(self, pattern="*", raw=True, search_raw=True,
|
||||||
|
output=False, n=None, unique=False):
|
||||||
|
raise NotImplementedError
|
||||||
|
|
||||||
|
def get_range(self, session, start=1, stop=None, raw=True,output=False):
|
||||||
|
raise NotImplementedError
|
||||||
|
|
||||||
|
def get_range_by_str(self, rangestr, raw=True, output=False):
|
||||||
|
raise NotImplementedError
|
||||||
|
|
||||||
|
|
||||||
|
class HistoryAccessor(HistoryAccessorBase):
|
||||||
|
"""Access the history database without adding to it.
|
||||||
|
|
||||||
|
This is intended for use by standalone history tools. IPython shells use
|
||||||
|
HistoryManager, below, which is a subclass of this."""
|
||||||
|
|
||||||
|
# counter for init_db retries, so we don't keep trying over and over
|
||||||
|
_corrupt_db_counter = 0
|
||||||
|
# after two failures, fallback on :memory:
|
||||||
|
_corrupt_db_limit = 2
|
||||||
|
|
||||||
|
# String holding the path to the history file
|
||||||
|
hist_file = Union(
|
||||||
|
[Instance(Path), Unicode()],
|
||||||
|
help="""Path to file to use for SQLite history database.
|
||||||
|
|
||||||
|
By default, IPython will put the history database in the IPython
|
||||||
|
profile directory. If you would rather share one history among
|
||||||
|
profiles, you can set this value in each, so that they are consistent.
|
||||||
|
|
||||||
|
Due to an issue with fcntl, SQLite is known to misbehave on some NFS
|
||||||
|
mounts. If you see IPython hanging, try setting this to something on a
|
||||||
|
local disk, e.g::
|
||||||
|
|
||||||
|
ipython --HistoryManager.hist_file=/tmp/ipython_hist.sqlite
|
||||||
|
|
||||||
|
you can also use the specific value `:memory:` (including the colon
|
||||||
|
at both end but not the back ticks), to avoid creating an history file.
|
||||||
|
|
||||||
|
""",
|
||||||
|
).tag(config=True)
|
||||||
|
|
||||||
|
enabled = Bool(True,
|
||||||
|
help="""enable the SQLite history
|
||||||
|
|
||||||
|
set enabled=False to disable the SQLite history,
|
||||||
|
in which case there will be no stored history, no SQLite connection,
|
||||||
|
and no background saving thread. This may be necessary in some
|
||||||
|
threaded environments where IPython is embedded.
|
||||||
|
""",
|
||||||
|
).tag(config=True)
|
||||||
|
|
||||||
|
connection_options = Dict(
|
||||||
|
help="""Options for configuring the SQLite connection
|
||||||
|
|
||||||
|
These options are passed as keyword args to sqlite3.connect
|
||||||
|
when establishing database connections.
|
||||||
|
"""
|
||||||
|
).tag(config=True)
|
||||||
|
|
||||||
|
@default("connection_options")
|
||||||
|
def _default_connection_options(self):
|
||||||
|
return dict(check_same_thread=False)
|
||||||
|
|
||||||
|
# The SQLite database
|
||||||
|
db = Any()
|
||||||
|
@observe('db')
|
||||||
|
def _db_changed(self, change):
|
||||||
|
"""validate the db, since it can be an Instance of two different types"""
|
||||||
|
new = change['new']
|
||||||
|
connection_types = (DummyDB, sqlite3.Connection)
|
||||||
|
if not isinstance(new, connection_types):
|
||||||
|
msg = "%s.db must be sqlite3 Connection or DummyDB, not %r" % \
|
||||||
|
(self.__class__.__name__, new)
|
||||||
|
raise TraitError(msg)
|
||||||
|
|
||||||
|
def __init__(self, profile="default", hist_file="", **traits):
|
||||||
|
"""Create a new history accessor.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
profile : str
|
||||||
|
The name of the profile from which to open history.
|
||||||
|
hist_file : str
|
||||||
|
Path to an SQLite history database stored by IPython. If specified,
|
||||||
|
hist_file overrides profile.
|
||||||
|
config : :class:`~traitlets.config.loader.Config`
|
||||||
|
Config object. hist_file can also be set through this.
|
||||||
|
"""
|
||||||
|
super(HistoryAccessor, self).__init__(**traits)
|
||||||
|
# defer setting hist_file from kwarg until after init,
|
||||||
|
# otherwise the default kwarg value would clobber any value
|
||||||
|
# set by config
|
||||||
|
if hist_file:
|
||||||
|
self.hist_file = hist_file
|
||||||
|
|
||||||
|
try:
|
||||||
|
self.hist_file
|
||||||
|
except TraitError:
|
||||||
|
# No one has set the hist_file, yet.
|
||||||
|
self.hist_file = self._get_hist_file_name(profile)
|
||||||
|
|
||||||
|
self.init_db()
|
||||||
|
|
||||||
|
def _get_hist_file_name(self, profile='default'):
|
||||||
|
"""Find the history file for the given profile name.
|
||||||
|
|
||||||
|
This is overridden by the HistoryManager subclass, to use the shell's
|
||||||
|
active profile.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
profile : str
|
||||||
|
The name of a profile which has a history file.
|
||||||
|
"""
|
||||||
|
return Path(locate_profile(profile)) / "history.sqlite"
|
||||||
|
|
||||||
|
@catch_corrupt_db
|
||||||
|
def init_db(self):
|
||||||
|
"""Connect to the database, and create tables if necessary."""
|
||||||
|
if not self.enabled:
|
||||||
|
self.db = DummyDB()
|
||||||
|
return
|
||||||
|
|
||||||
|
# use detect_types so that timestamps return datetime objects
|
||||||
|
kwargs = dict(detect_types=sqlite3.PARSE_DECLTYPES|sqlite3.PARSE_COLNAMES)
|
||||||
|
kwargs.update(self.connection_options)
|
||||||
|
self.db = sqlite3.connect(str(self.hist_file), **kwargs)
|
||||||
|
with self.db:
|
||||||
|
self.db.execute(
|
||||||
|
"""CREATE TABLE IF NOT EXISTS sessions (session integer
|
||||||
|
primary key autoincrement, start timestamp,
|
||||||
|
end timestamp, num_cmds integer, remark text)"""
|
||||||
|
)
|
||||||
|
self.db.execute(
|
||||||
|
"""CREATE TABLE IF NOT EXISTS history
|
||||||
|
(session integer, line integer, source text, source_raw text,
|
||||||
|
PRIMARY KEY (session, line))"""
|
||||||
|
)
|
||||||
|
# Output history is optional, but ensure the table's there so it can be
|
||||||
|
# enabled later.
|
||||||
|
self.db.execute(
|
||||||
|
"""CREATE TABLE IF NOT EXISTS output_history
|
||||||
|
(session integer, line integer, output text,
|
||||||
|
PRIMARY KEY (session, line))"""
|
||||||
|
)
|
||||||
|
# success! reset corrupt db count
|
||||||
|
self._corrupt_db_counter = 0
|
||||||
|
|
||||||
|
def writeout_cache(self):
|
||||||
|
"""Overridden by HistoryManager to dump the cache before certain
|
||||||
|
database lookups."""
|
||||||
|
pass
|
||||||
|
|
||||||
|
## -------------------------------
|
||||||
|
## Methods for retrieving history:
|
||||||
|
## -------------------------------
|
||||||
|
def _run_sql(self, sql, params, raw=True, output=False, latest=False):
|
||||||
|
"""Prepares and runs an SQL query for the history database.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
sql : str
|
||||||
|
Any filtering expressions to go after SELECT ... FROM ...
|
||||||
|
params : tuple
|
||||||
|
Parameters passed to the SQL query (to replace "?")
|
||||||
|
raw, output : bool
|
||||||
|
See :meth:`get_range`
|
||||||
|
latest : bool
|
||||||
|
Select rows with max (session, line)
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
Tuples as :meth:`get_range`
|
||||||
|
"""
|
||||||
|
toget = 'source_raw' if raw else 'source'
|
||||||
|
sqlfrom = "history"
|
||||||
|
if output:
|
||||||
|
sqlfrom = "history LEFT JOIN output_history USING (session, line)"
|
||||||
|
toget = "history.%s, output_history.output" % toget
|
||||||
|
if latest:
|
||||||
|
toget += ", MAX(session * 128 * 1024 + line)"
|
||||||
|
this_querry = "SELECT session, line, %s FROM %s " % (toget, sqlfrom) + sql
|
||||||
|
cur = self.db.execute(this_querry, params)
|
||||||
|
if latest:
|
||||||
|
cur = (row[:-1] for row in cur)
|
||||||
|
if output: # Regroup into 3-tuples, and parse JSON
|
||||||
|
return ((ses, lin, (inp, out)) for ses, lin, inp, out in cur)
|
||||||
|
return cur
|
||||||
|
|
||||||
|
@only_when_enabled
|
||||||
|
@catch_corrupt_db
|
||||||
|
def get_session_info(self, session):
|
||||||
|
"""Get info about a session.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
session : int
|
||||||
|
Session number to retrieve.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
session_id : int
|
||||||
|
Session ID number
|
||||||
|
start : datetime
|
||||||
|
Timestamp for the start of the session.
|
||||||
|
end : datetime
|
||||||
|
Timestamp for the end of the session, or None if IPython crashed.
|
||||||
|
num_cmds : int
|
||||||
|
Number of commands run, or None if IPython crashed.
|
||||||
|
remark : unicode
|
||||||
|
A manually set description.
|
||||||
|
"""
|
||||||
|
query = "SELECT * from sessions where session == ?"
|
||||||
|
return self.db.execute(query, (session,)).fetchone()
|
||||||
|
|
||||||
|
@catch_corrupt_db
|
||||||
|
def get_last_session_id(self):
|
||||||
|
"""Get the last session ID currently in the database.
|
||||||
|
|
||||||
|
Within IPython, this should be the same as the value stored in
|
||||||
|
:attr:`HistoryManager.session_number`.
|
||||||
|
"""
|
||||||
|
for record in self.get_tail(n=1, include_latest=True):
|
||||||
|
return record[0]
|
||||||
|
|
||||||
|
@catch_corrupt_db
|
||||||
|
def get_tail(self, n=10, raw=True, output=False, include_latest=False):
|
||||||
|
"""Get the last n lines from the history database.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
n : int
|
||||||
|
The number of lines to get
|
||||||
|
raw, output : bool
|
||||||
|
See :meth:`get_range`
|
||||||
|
include_latest : bool
|
||||||
|
If False (default), n+1 lines are fetched, and the latest one
|
||||||
|
is discarded. This is intended to be used where the function
|
||||||
|
is called by a user command, which it should not return.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
Tuples as :meth:`get_range`
|
||||||
|
"""
|
||||||
|
self.writeout_cache()
|
||||||
|
if not include_latest:
|
||||||
|
n += 1
|
||||||
|
cur = self._run_sql(
|
||||||
|
"ORDER BY session DESC, line DESC LIMIT ?", (n,), raw=raw, output=output
|
||||||
|
)
|
||||||
|
if not include_latest:
|
||||||
|
return reversed(list(cur)[1:])
|
||||||
|
return reversed(list(cur))
|
||||||
|
|
||||||
|
@catch_corrupt_db
|
||||||
|
def search(self, pattern="*", raw=True, search_raw=True,
|
||||||
|
output=False, n=None, unique=False):
|
||||||
|
"""Search the database using unix glob-style matching (wildcards
|
||||||
|
* and ?).
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
pattern : str
|
||||||
|
The wildcarded pattern to match when searching
|
||||||
|
search_raw : bool
|
||||||
|
If True, search the raw input, otherwise, the parsed input
|
||||||
|
raw, output : bool
|
||||||
|
See :meth:`get_range`
|
||||||
|
n : None or int
|
||||||
|
If an integer is given, it defines the limit of
|
||||||
|
returned entries.
|
||||||
|
unique : bool
|
||||||
|
When it is true, return only unique entries.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
Tuples as :meth:`get_range`
|
||||||
|
"""
|
||||||
|
tosearch = "source_raw" if search_raw else "source"
|
||||||
|
if output:
|
||||||
|
tosearch = "history." + tosearch
|
||||||
|
self.writeout_cache()
|
||||||
|
sqlform = "WHERE %s GLOB ?" % tosearch
|
||||||
|
params = (pattern,)
|
||||||
|
if unique:
|
||||||
|
sqlform += ' GROUP BY {0}'.format(tosearch)
|
||||||
|
if n is not None:
|
||||||
|
sqlform += " ORDER BY session DESC, line DESC LIMIT ?"
|
||||||
|
params += (n,)
|
||||||
|
elif unique:
|
||||||
|
sqlform += " ORDER BY session, line"
|
||||||
|
cur = self._run_sql(sqlform, params, raw=raw, output=output, latest=unique)
|
||||||
|
if n is not None:
|
||||||
|
return reversed(list(cur))
|
||||||
|
return cur
|
||||||
|
|
||||||
|
@catch_corrupt_db
|
||||||
|
def get_range(self, session, start=1, stop=None, raw=True,output=False):
|
||||||
|
"""Retrieve input by session.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
session : int
|
||||||
|
Session number to retrieve.
|
||||||
|
start : int
|
||||||
|
First line to retrieve.
|
||||||
|
stop : int
|
||||||
|
End of line range (excluded from output itself). If None, retrieve
|
||||||
|
to the end of the session.
|
||||||
|
raw : bool
|
||||||
|
If True, return untranslated input
|
||||||
|
output : bool
|
||||||
|
If True, attempt to include output. This will be 'real' Python
|
||||||
|
objects for the current session, or text reprs from previous
|
||||||
|
sessions if db_log_output was enabled at the time. Where no output
|
||||||
|
is found, None is used.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
entries
|
||||||
|
An iterator over the desired lines. Each line is a 3-tuple, either
|
||||||
|
(session, line, input) if output is False, or
|
||||||
|
(session, line, (input, output)) if output is True.
|
||||||
|
"""
|
||||||
|
if stop:
|
||||||
|
lineclause = "line >= ? AND line < ?"
|
||||||
|
params = (session, start, stop)
|
||||||
|
else:
|
||||||
|
lineclause = "line>=?"
|
||||||
|
params = (session, start)
|
||||||
|
|
||||||
|
return self._run_sql("WHERE session==? AND %s" % lineclause,
|
||||||
|
params, raw=raw, output=output)
|
||||||
|
|
||||||
|
def get_range_by_str(self, rangestr, raw=True, output=False):
|
||||||
|
"""Get lines of history from a string of ranges, as used by magic
|
||||||
|
commands %hist, %save, %macro, etc.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
rangestr : str
|
||||||
|
A string specifying ranges, e.g. "5 ~2/1-4". If empty string is used,
|
||||||
|
this will return everything from current session's history.
|
||||||
|
|
||||||
|
See the documentation of :func:`%history` for the full details.
|
||||||
|
|
||||||
|
raw, output : bool
|
||||||
|
As :meth:`get_range`
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
Tuples as :meth:`get_range`
|
||||||
|
"""
|
||||||
|
for sess, s, e in extract_hist_ranges(rangestr):
|
||||||
|
for line in self.get_range(sess, s, e, raw=raw, output=output):
|
||||||
|
yield line
|
||||||
|
|
||||||
|
|
||||||
|
class HistoryManager(HistoryAccessor):
|
||||||
|
"""A class to organize all history-related functionality in one place.
|
||||||
|
"""
|
||||||
|
# Public interface
|
||||||
|
|
||||||
|
# An instance of the IPython shell we are attached to
|
||||||
|
shell = Instance('IPython.core.interactiveshell.InteractiveShellABC',
|
||||||
|
allow_none=True)
|
||||||
|
# Lists to hold processed and raw history. These start with a blank entry
|
||||||
|
# so that we can index them starting from 1
|
||||||
|
input_hist_parsed = List([""])
|
||||||
|
input_hist_raw = List([""])
|
||||||
|
# A list of directories visited during session
|
||||||
|
dir_hist: List = List()
|
||||||
|
|
||||||
|
@default("dir_hist")
|
||||||
|
def _dir_hist_default(self):
|
||||||
|
try:
|
||||||
|
return [Path.cwd()]
|
||||||
|
except OSError:
|
||||||
|
return []
|
||||||
|
|
||||||
|
# A dict of output history, keyed with ints from the shell's
|
||||||
|
# execution count.
|
||||||
|
output_hist = Dict()
|
||||||
|
# The text/plain repr of outputs.
|
||||||
|
output_hist_reprs = Dict()
|
||||||
|
|
||||||
|
# The number of the current session in the history database
|
||||||
|
session_number = Integer()
|
||||||
|
|
||||||
|
db_log_output = Bool(False,
|
||||||
|
help="Should the history database include output? (default: no)"
|
||||||
|
).tag(config=True)
|
||||||
|
db_cache_size = Integer(0,
|
||||||
|
help="Write to database every x commands (higher values save disk access & power).\n"
|
||||||
|
"Values of 1 or less effectively disable caching."
|
||||||
|
).tag(config=True)
|
||||||
|
# The input and output caches
|
||||||
|
db_input_cache: List = List()
|
||||||
|
db_output_cache: List = List()
|
||||||
|
|
||||||
|
# History saving in separate thread
|
||||||
|
save_thread = Instance('IPython.core.history.HistorySavingThread',
|
||||||
|
allow_none=True)
|
||||||
|
save_flag = Instance(threading.Event, allow_none=True)
|
||||||
|
|
||||||
|
# Private interface
|
||||||
|
# Variables used to store the three last inputs from the user. On each new
|
||||||
|
# history update, we populate the user's namespace with these, shifted as
|
||||||
|
# necessary.
|
||||||
|
_i00 = Unicode("")
|
||||||
|
_i = Unicode("")
|
||||||
|
_ii = Unicode("")
|
||||||
|
_iii = Unicode("")
|
||||||
|
|
||||||
|
# A regex matching all forms of the exit command, so that we don't store
|
||||||
|
# them in the history (it's annoying to rewind the first entry and land on
|
||||||
|
# an exit call).
|
||||||
|
_exit_re = re.compile(r"(exit|quit)(\s*\(.*\))?$")
|
||||||
|
|
||||||
|
def __init__(self, shell=None, config=None, **traits):
|
||||||
|
"""Create a new history manager associated with a shell instance.
|
||||||
|
"""
|
||||||
|
super(HistoryManager, self).__init__(shell=shell, config=config,
|
||||||
|
**traits)
|
||||||
|
self.save_flag = threading.Event()
|
||||||
|
self.db_input_cache_lock = threading.Lock()
|
||||||
|
self.db_output_cache_lock = threading.Lock()
|
||||||
|
|
||||||
|
try:
|
||||||
|
self.new_session()
|
||||||
|
except sqlite3.OperationalError:
|
||||||
|
self.log.error("Failed to create history session in %s. History will not be saved.",
|
||||||
|
self.hist_file, exc_info=True)
|
||||||
|
self.hist_file = ':memory:'
|
||||||
|
|
||||||
|
if self.enabled and self.hist_file != ':memory:':
|
||||||
|
self.save_thread = HistorySavingThread(self)
|
||||||
|
try:
|
||||||
|
self.save_thread.start()
|
||||||
|
except RuntimeError:
|
||||||
|
self.log.error(
|
||||||
|
"Failed to start history saving thread. History will not be saved.",
|
||||||
|
exc_info=True,
|
||||||
|
)
|
||||||
|
self.hist_file = ":memory:"
|
||||||
|
|
||||||
|
def _get_hist_file_name(self, profile=None):
|
||||||
|
"""Get default history file name based on the Shell's profile.
|
||||||
|
|
||||||
|
The profile parameter is ignored, but must exist for compatibility with
|
||||||
|
the parent class."""
|
||||||
|
profile_dir = self.shell.profile_dir.location
|
||||||
|
return Path(profile_dir) / "history.sqlite"
|
||||||
|
|
||||||
|
@only_when_enabled
|
||||||
|
def new_session(self, conn=None):
|
||||||
|
"""Get a new session number."""
|
||||||
|
if conn is None:
|
||||||
|
conn = self.db
|
||||||
|
|
||||||
|
with conn:
|
||||||
|
cur = conn.execute(
|
||||||
|
"""INSERT INTO sessions VALUES (NULL, ?, NULL,
|
||||||
|
NULL, '') """,
|
||||||
|
(datetime.datetime.now().isoformat(" "),),
|
||||||
|
)
|
||||||
|
self.session_number = cur.lastrowid
|
||||||
|
|
||||||
|
def end_session(self):
|
||||||
|
"""Close the database session, filling in the end time and line count."""
|
||||||
|
self.writeout_cache()
|
||||||
|
with self.db:
|
||||||
|
self.db.execute(
|
||||||
|
"""UPDATE sessions SET end=?, num_cmds=? WHERE
|
||||||
|
session==?""",
|
||||||
|
(
|
||||||
|
datetime.datetime.now().isoformat(" "),
|
||||||
|
len(self.input_hist_parsed) - 1,
|
||||||
|
self.session_number,
|
||||||
|
),
|
||||||
|
)
|
||||||
|
self.session_number = 0
|
||||||
|
|
||||||
|
def name_session(self, name):
|
||||||
|
"""Give the current session a name in the history database."""
|
||||||
|
with self.db:
|
||||||
|
self.db.execute("UPDATE sessions SET remark=? WHERE session==?",
|
||||||
|
(name, self.session_number))
|
||||||
|
|
||||||
|
def reset(self, new_session=True):
|
||||||
|
"""Clear the session history, releasing all object references, and
|
||||||
|
optionally open a new session."""
|
||||||
|
self.output_hist.clear()
|
||||||
|
# The directory history can't be completely empty
|
||||||
|
self.dir_hist[:] = [Path.cwd()]
|
||||||
|
|
||||||
|
if new_session:
|
||||||
|
if self.session_number:
|
||||||
|
self.end_session()
|
||||||
|
self.input_hist_parsed[:] = [""]
|
||||||
|
self.input_hist_raw[:] = [""]
|
||||||
|
self.new_session()
|
||||||
|
|
||||||
|
# ------------------------------
|
||||||
|
# Methods for retrieving history
|
||||||
|
# ------------------------------
|
||||||
|
def get_session_info(self, session=0):
|
||||||
|
"""Get info about a session.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
session : int
|
||||||
|
Session number to retrieve. The current session is 0, and negative
|
||||||
|
numbers count back from current session, so -1 is the previous session.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
session_id : int
|
||||||
|
Session ID number
|
||||||
|
start : datetime
|
||||||
|
Timestamp for the start of the session.
|
||||||
|
end : datetime
|
||||||
|
Timestamp for the end of the session, or None if IPython crashed.
|
||||||
|
num_cmds : int
|
||||||
|
Number of commands run, or None if IPython crashed.
|
||||||
|
remark : unicode
|
||||||
|
A manually set description.
|
||||||
|
"""
|
||||||
|
if session <= 0:
|
||||||
|
session += self.session_number
|
||||||
|
|
||||||
|
return super(HistoryManager, self).get_session_info(session=session)
|
||||||
|
|
||||||
|
@catch_corrupt_db
|
||||||
|
def get_tail(self, n=10, raw=True, output=False, include_latest=False):
|
||||||
|
"""Get the last n lines from the history database.
|
||||||
|
|
||||||
|
Most recent entry last.
|
||||||
|
|
||||||
|
Completion will be reordered so that that the last ones are when
|
||||||
|
possible from current session.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
n : int
|
||||||
|
The number of lines to get
|
||||||
|
raw, output : bool
|
||||||
|
See :meth:`get_range`
|
||||||
|
include_latest : bool
|
||||||
|
If False (default), n+1 lines are fetched, and the latest one
|
||||||
|
is discarded. This is intended to be used where the function
|
||||||
|
is called by a user command, which it should not return.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
Tuples as :meth:`get_range`
|
||||||
|
"""
|
||||||
|
self.writeout_cache()
|
||||||
|
if not include_latest:
|
||||||
|
n += 1
|
||||||
|
# cursor/line/entry
|
||||||
|
this_cur = list(
|
||||||
|
self._run_sql(
|
||||||
|
"WHERE session == ? ORDER BY line DESC LIMIT ? ",
|
||||||
|
(self.session_number, n),
|
||||||
|
raw=raw,
|
||||||
|
output=output,
|
||||||
|
)
|
||||||
|
)
|
||||||
|
other_cur = list(
|
||||||
|
self._run_sql(
|
||||||
|
"WHERE session != ? ORDER BY session DESC, line DESC LIMIT ?",
|
||||||
|
(self.session_number, n),
|
||||||
|
raw=raw,
|
||||||
|
output=output,
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
everything = this_cur + other_cur
|
||||||
|
|
||||||
|
everything = everything[:n]
|
||||||
|
|
||||||
|
if not include_latest:
|
||||||
|
return list(everything)[:0:-1]
|
||||||
|
return list(everything)[::-1]
|
||||||
|
|
||||||
|
def _get_range_session(self, start=1, stop=None, raw=True, output=False):
|
||||||
|
"""Get input and output history from the current session. Called by
|
||||||
|
get_range, and takes similar parameters."""
|
||||||
|
input_hist = self.input_hist_raw if raw else self.input_hist_parsed
|
||||||
|
|
||||||
|
n = len(input_hist)
|
||||||
|
if start < 0:
|
||||||
|
start += n
|
||||||
|
if not stop or (stop > n):
|
||||||
|
stop = n
|
||||||
|
elif stop < 0:
|
||||||
|
stop += n
|
||||||
|
|
||||||
|
for i in range(start, stop):
|
||||||
|
if output:
|
||||||
|
line = (input_hist[i], self.output_hist_reprs.get(i))
|
||||||
|
else:
|
||||||
|
line = input_hist[i]
|
||||||
|
yield (0, i, line)
|
||||||
|
|
||||||
|
def get_range(self, session=0, start=1, stop=None, raw=True,output=False):
|
||||||
|
"""Retrieve input by session.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
session : int
|
||||||
|
Session number to retrieve. The current session is 0, and negative
|
||||||
|
numbers count back from current session, so -1 is previous session.
|
||||||
|
start : int
|
||||||
|
First line to retrieve.
|
||||||
|
stop : int
|
||||||
|
End of line range (excluded from output itself). If None, retrieve
|
||||||
|
to the end of the session.
|
||||||
|
raw : bool
|
||||||
|
If True, return untranslated input
|
||||||
|
output : bool
|
||||||
|
If True, attempt to include output. This will be 'real' Python
|
||||||
|
objects for the current session, or text reprs from previous
|
||||||
|
sessions if db_log_output was enabled at the time. Where no output
|
||||||
|
is found, None is used.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
entries
|
||||||
|
An iterator over the desired lines. Each line is a 3-tuple, either
|
||||||
|
(session, line, input) if output is False, or
|
||||||
|
(session, line, (input, output)) if output is True.
|
||||||
|
"""
|
||||||
|
if session <= 0:
|
||||||
|
session += self.session_number
|
||||||
|
if session==self.session_number: # Current session
|
||||||
|
return self._get_range_session(start, stop, raw, output)
|
||||||
|
return super(HistoryManager, self).get_range(session, start, stop, raw,
|
||||||
|
output)
|
||||||
|
|
||||||
|
## ----------------------------
|
||||||
|
## Methods for storing history:
|
||||||
|
## ----------------------------
|
||||||
|
def store_inputs(self, line_num, source, source_raw=None):
|
||||||
|
"""Store source and raw input in history and create input cache
|
||||||
|
variables ``_i*``.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
line_num : int
|
||||||
|
The prompt number of this input.
|
||||||
|
source : str
|
||||||
|
Python input.
|
||||||
|
source_raw : str, optional
|
||||||
|
If given, this is the raw input without any IPython transformations
|
||||||
|
applied to it. If not given, ``source`` is used.
|
||||||
|
"""
|
||||||
|
if source_raw is None:
|
||||||
|
source_raw = source
|
||||||
|
source = source.rstrip('\n')
|
||||||
|
source_raw = source_raw.rstrip('\n')
|
||||||
|
|
||||||
|
# do not store exit/quit commands
|
||||||
|
if self._exit_re.match(source_raw.strip()):
|
||||||
|
return
|
||||||
|
|
||||||
|
self.input_hist_parsed.append(source)
|
||||||
|
self.input_hist_raw.append(source_raw)
|
||||||
|
|
||||||
|
with self.db_input_cache_lock:
|
||||||
|
self.db_input_cache.append((line_num, source, source_raw))
|
||||||
|
# Trigger to flush cache and write to DB.
|
||||||
|
if len(self.db_input_cache) >= self.db_cache_size:
|
||||||
|
self.save_flag.set()
|
||||||
|
|
||||||
|
# update the auto _i variables
|
||||||
|
self._iii = self._ii
|
||||||
|
self._ii = self._i
|
||||||
|
self._i = self._i00
|
||||||
|
self._i00 = source_raw
|
||||||
|
|
||||||
|
# hackish access to user namespace to create _i1,_i2... dynamically
|
||||||
|
new_i = '_i%s' % line_num
|
||||||
|
to_main = {'_i': self._i,
|
||||||
|
'_ii': self._ii,
|
||||||
|
'_iii': self._iii,
|
||||||
|
new_i : self._i00 }
|
||||||
|
|
||||||
|
if self.shell is not None:
|
||||||
|
self.shell.push(to_main, interactive=False)
|
||||||
|
|
||||||
|
def store_output(self, line_num):
|
||||||
|
"""If database output logging is enabled, this saves all the
|
||||||
|
outputs from the indicated prompt number to the database. It's
|
||||||
|
called by run_cell after code has been executed.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
line_num : int
|
||||||
|
The line number from which to save outputs
|
||||||
|
"""
|
||||||
|
if (not self.db_log_output) or (line_num not in self.output_hist_reprs):
|
||||||
|
return
|
||||||
|
output = self.output_hist_reprs[line_num]
|
||||||
|
|
||||||
|
with self.db_output_cache_lock:
|
||||||
|
self.db_output_cache.append((line_num, output))
|
||||||
|
if self.db_cache_size <= 1:
|
||||||
|
self.save_flag.set()
|
||||||
|
|
||||||
|
def _writeout_input_cache(self, conn):
|
||||||
|
with conn:
|
||||||
|
for line in self.db_input_cache:
|
||||||
|
conn.execute("INSERT INTO history VALUES (?, ?, ?, ?)",
|
||||||
|
(self.session_number,)+line)
|
||||||
|
|
||||||
|
def _writeout_output_cache(self, conn):
|
||||||
|
with conn:
|
||||||
|
for line in self.db_output_cache:
|
||||||
|
conn.execute("INSERT INTO output_history VALUES (?, ?, ?)",
|
||||||
|
(self.session_number,)+line)
|
||||||
|
|
||||||
|
@only_when_enabled
|
||||||
|
def writeout_cache(self, conn=None):
|
||||||
|
"""Write any entries in the cache to the database."""
|
||||||
|
if conn is None:
|
||||||
|
conn = self.db
|
||||||
|
|
||||||
|
with self.db_input_cache_lock:
|
||||||
|
try:
|
||||||
|
self._writeout_input_cache(conn)
|
||||||
|
except sqlite3.IntegrityError:
|
||||||
|
self.new_session(conn)
|
||||||
|
print("ERROR! Session/line number was not unique in",
|
||||||
|
"database. History logging moved to new session",
|
||||||
|
self.session_number)
|
||||||
|
try:
|
||||||
|
# Try writing to the new session. If this fails, don't
|
||||||
|
# recurse
|
||||||
|
self._writeout_input_cache(conn)
|
||||||
|
except sqlite3.IntegrityError:
|
||||||
|
pass
|
||||||
|
finally:
|
||||||
|
self.db_input_cache = []
|
||||||
|
|
||||||
|
with self.db_output_cache_lock:
|
||||||
|
try:
|
||||||
|
self._writeout_output_cache(conn)
|
||||||
|
except sqlite3.IntegrityError:
|
||||||
|
print("!! Session/line number for output was not unique",
|
||||||
|
"in database. Output will not be stored.")
|
||||||
|
finally:
|
||||||
|
self.db_output_cache = []
|
||||||
|
|
||||||
|
|
||||||
|
class HistorySavingThread(threading.Thread):
|
||||||
|
"""This thread takes care of writing history to the database, so that
|
||||||
|
the UI isn't held up while that happens.
|
||||||
|
|
||||||
|
It waits for the HistoryManager's save_flag to be set, then writes out
|
||||||
|
the history cache. The main thread is responsible for setting the flag when
|
||||||
|
the cache size reaches a defined threshold."""
|
||||||
|
daemon = True
|
||||||
|
stop_now = False
|
||||||
|
enabled = True
|
||||||
|
def __init__(self, history_manager):
|
||||||
|
super(HistorySavingThread, self).__init__(name="IPythonHistorySavingThread")
|
||||||
|
self.history_manager = history_manager
|
||||||
|
self.enabled = history_manager.enabled
|
||||||
|
|
||||||
|
@only_when_enabled
|
||||||
|
def run(self):
|
||||||
|
atexit.register(self.stop)
|
||||||
|
# We need a separate db connection per thread:
|
||||||
|
try:
|
||||||
|
self.db = sqlite3.connect(
|
||||||
|
str(self.history_manager.hist_file),
|
||||||
|
**self.history_manager.connection_options,
|
||||||
|
)
|
||||||
|
while True:
|
||||||
|
self.history_manager.save_flag.wait()
|
||||||
|
if self.stop_now:
|
||||||
|
self.db.close()
|
||||||
|
return
|
||||||
|
self.history_manager.save_flag.clear()
|
||||||
|
self.history_manager.writeout_cache(self.db)
|
||||||
|
except Exception as e:
|
||||||
|
print(("The history saving thread hit an unexpected error (%s)."
|
||||||
|
"History will not be written to the database.") % repr(e))
|
||||||
|
finally:
|
||||||
|
atexit.unregister(self.stop)
|
||||||
|
|
||||||
|
def stop(self):
|
||||||
|
"""This can be called from the main thread to safely stop this thread.
|
||||||
|
|
||||||
|
Note that it does not attempt to write out remaining history before
|
||||||
|
exiting. That should be done by calling the HistoryManager's
|
||||||
|
end_session method."""
|
||||||
|
self.stop_now = True
|
||||||
|
self.history_manager.save_flag.set()
|
||||||
|
self.join()
|
||||||
|
|
||||||
|
|
||||||
|
# To match, e.g. ~5/8-~2/3
|
||||||
|
range_re = re.compile(r"""
|
||||||
|
((?P<startsess>~?\d+)/)?
|
||||||
|
(?P<start>\d+)?
|
||||||
|
((?P<sep>[\-:])
|
||||||
|
((?P<endsess>~?\d+)/)?
|
||||||
|
(?P<end>\d+))?
|
||||||
|
$""", re.VERBOSE)
|
||||||
|
|
||||||
|
|
||||||
|
def extract_hist_ranges(ranges_str):
|
||||||
|
"""Turn a string of history ranges into 3-tuples of (session, start, stop).
|
||||||
|
|
||||||
|
Empty string results in a `[(0, 1, None)]`, i.e. "everything from current
|
||||||
|
session".
|
||||||
|
|
||||||
|
Examples
|
||||||
|
--------
|
||||||
|
>>> list(extract_hist_ranges("~8/5-~7/4 2"))
|
||||||
|
[(-8, 5, None), (-7, 1, 5), (0, 2, 3)]
|
||||||
|
"""
|
||||||
|
if ranges_str == "":
|
||||||
|
yield (0, 1, None) # Everything from current session
|
||||||
|
return
|
||||||
|
|
||||||
|
for range_str in ranges_str.split():
|
||||||
|
rmatch = range_re.match(range_str)
|
||||||
|
if not rmatch:
|
||||||
|
continue
|
||||||
|
start = rmatch.group("start")
|
||||||
|
if start:
|
||||||
|
start = int(start)
|
||||||
|
end = rmatch.group("end")
|
||||||
|
# If no end specified, get (a, a + 1)
|
||||||
|
end = int(end) if end else start + 1
|
||||||
|
else: # start not specified
|
||||||
|
if not rmatch.group('startsess'): # no startsess
|
||||||
|
continue
|
||||||
|
start = 1
|
||||||
|
end = None # provide the entire session hist
|
||||||
|
|
||||||
|
if rmatch.group("sep") == "-": # 1-3 == 1:4 --> [1, 2, 3]
|
||||||
|
end += 1
|
||||||
|
startsess = rmatch.group("startsess") or "0"
|
||||||
|
endsess = rmatch.group("endsess") or startsess
|
||||||
|
startsess = int(startsess.replace("~","-"))
|
||||||
|
endsess = int(endsess.replace("~","-"))
|
||||||
|
assert endsess >= startsess, "start session must be earlier than end session"
|
||||||
|
|
||||||
|
if endsess == startsess:
|
||||||
|
yield (startsess, start, end)
|
||||||
|
continue
|
||||||
|
# Multiple sessions in one range:
|
||||||
|
yield (startsess, start, None)
|
||||||
|
for sess in range(startsess+1, endsess):
|
||||||
|
yield (sess, 1, None)
|
||||||
|
yield (endsess, 1, end)
|
||||||
|
|
||||||
|
|
||||||
|
def _format_lineno(session, line):
|
||||||
|
"""Helper function to format line numbers properly."""
|
||||||
|
if session == 0:
|
||||||
|
return str(line)
|
||||||
|
return "%s#%s" % (session, line)
|
158
Лаб1/aimenv/Lib/site-packages/IPython/core/historyapp.py
Normal file
158
Лаб1/aimenv/Lib/site-packages/IPython/core/historyapp.py
Normal file
@ -0,0 +1,158 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""
|
||||||
|
An application for managing IPython history.
|
||||||
|
|
||||||
|
To be invoked as the `ipython history` subcommand.
|
||||||
|
"""
|
||||||
|
|
||||||
|
import sqlite3
|
||||||
|
from pathlib import Path
|
||||||
|
|
||||||
|
from traitlets.config.application import Application
|
||||||
|
from .application import BaseIPythonApplication
|
||||||
|
from traitlets import Bool, Int, Dict
|
||||||
|
from ..utils.io import ask_yes_no
|
||||||
|
|
||||||
|
trim_hist_help = """Trim the IPython history database to the last 1000 entries.
|
||||||
|
|
||||||
|
This actually copies the last 1000 entries to a new database, and then replaces
|
||||||
|
the old file with the new. Use the `--keep=` argument to specify a number
|
||||||
|
other than 1000.
|
||||||
|
"""
|
||||||
|
|
||||||
|
clear_hist_help = """Clear the IPython history database, deleting all entries.
|
||||||
|
|
||||||
|
Because this is a destructive operation, IPython will prompt the user if they
|
||||||
|
really want to do this. Passing a `-f` flag will force clearing without a
|
||||||
|
prompt.
|
||||||
|
|
||||||
|
This is an handy alias to `ipython history trim --keep=0`
|
||||||
|
"""
|
||||||
|
|
||||||
|
|
||||||
|
class HistoryTrim(BaseIPythonApplication):
|
||||||
|
description = trim_hist_help
|
||||||
|
|
||||||
|
backup = Bool(False, help="Keep the old history file as history.sqlite.<N>").tag(
|
||||||
|
config=True
|
||||||
|
)
|
||||||
|
|
||||||
|
keep = Int(1000, help="Number of recent lines to keep in the database.").tag(
|
||||||
|
config=True
|
||||||
|
)
|
||||||
|
|
||||||
|
flags = Dict( # type: ignore
|
||||||
|
dict(backup=({"HistoryTrim": {"backup": True}}, backup.help))
|
||||||
|
)
|
||||||
|
|
||||||
|
aliases = Dict(dict(keep="HistoryTrim.keep")) # type: ignore
|
||||||
|
|
||||||
|
def start(self):
|
||||||
|
profile_dir = Path(self.profile_dir.location)
|
||||||
|
hist_file = profile_dir / "history.sqlite"
|
||||||
|
con = sqlite3.connect(hist_file)
|
||||||
|
|
||||||
|
# Grab the recent history from the current database.
|
||||||
|
inputs = list(con.execute('SELECT session, line, source, source_raw FROM '
|
||||||
|
'history ORDER BY session DESC, line DESC LIMIT ?', (self.keep+1,)))
|
||||||
|
if len(inputs) <= self.keep:
|
||||||
|
print("There are already at most %d entries in the history database." % self.keep)
|
||||||
|
print("Not doing anything. Use --keep= argument to keep fewer entries")
|
||||||
|
return
|
||||||
|
|
||||||
|
print("Trimming history to the most recent %d entries." % self.keep)
|
||||||
|
|
||||||
|
inputs.pop() # Remove the extra element we got to check the length.
|
||||||
|
inputs.reverse()
|
||||||
|
if inputs:
|
||||||
|
first_session = inputs[0][0]
|
||||||
|
outputs = list(con.execute('SELECT session, line, output FROM '
|
||||||
|
'output_history WHERE session >= ?', (first_session,)))
|
||||||
|
sessions = list(con.execute('SELECT session, start, end, num_cmds, remark FROM '
|
||||||
|
'sessions WHERE session >= ?', (first_session,)))
|
||||||
|
con.close()
|
||||||
|
|
||||||
|
# Create the new history database.
|
||||||
|
new_hist_file = profile_dir / "history.sqlite.new"
|
||||||
|
i = 0
|
||||||
|
while new_hist_file.exists():
|
||||||
|
# Make sure we don't interfere with an existing file.
|
||||||
|
i += 1
|
||||||
|
new_hist_file = profile_dir / ("history.sqlite.new" + str(i))
|
||||||
|
new_db = sqlite3.connect(new_hist_file)
|
||||||
|
new_db.execute("""CREATE TABLE IF NOT EXISTS sessions (session integer
|
||||||
|
primary key autoincrement, start timestamp,
|
||||||
|
end timestamp, num_cmds integer, remark text)""")
|
||||||
|
new_db.execute("""CREATE TABLE IF NOT EXISTS history
|
||||||
|
(session integer, line integer, source text, source_raw text,
|
||||||
|
PRIMARY KEY (session, line))""")
|
||||||
|
new_db.execute("""CREATE TABLE IF NOT EXISTS output_history
|
||||||
|
(session integer, line integer, output text,
|
||||||
|
PRIMARY KEY (session, line))""")
|
||||||
|
new_db.commit()
|
||||||
|
|
||||||
|
|
||||||
|
if inputs:
|
||||||
|
with new_db:
|
||||||
|
# Add the recent history into the new database.
|
||||||
|
new_db.executemany('insert into sessions values (?,?,?,?,?)', sessions)
|
||||||
|
new_db.executemany('insert into history values (?,?,?,?)', inputs)
|
||||||
|
new_db.executemany('insert into output_history values (?,?,?)', outputs)
|
||||||
|
new_db.close()
|
||||||
|
|
||||||
|
if self.backup:
|
||||||
|
i = 1
|
||||||
|
backup_hist_file = profile_dir / ("history.sqlite.old.%d" % i)
|
||||||
|
while backup_hist_file.exists():
|
||||||
|
i += 1
|
||||||
|
backup_hist_file = profile_dir / ("history.sqlite.old.%d" % i)
|
||||||
|
hist_file.rename(backup_hist_file)
|
||||||
|
print("Backed up longer history file to", backup_hist_file)
|
||||||
|
else:
|
||||||
|
hist_file.unlink()
|
||||||
|
|
||||||
|
new_hist_file.rename(hist_file)
|
||||||
|
|
||||||
|
|
||||||
|
class HistoryClear(HistoryTrim):
|
||||||
|
description = clear_hist_help
|
||||||
|
keep = Int(0, help="Number of recent lines to keep in the database.")
|
||||||
|
|
||||||
|
force = Bool(False, help="Don't prompt user for confirmation").tag(config=True)
|
||||||
|
|
||||||
|
flags = Dict( # type: ignore
|
||||||
|
dict(
|
||||||
|
force=({"HistoryClear": {"force": True}}, force.help),
|
||||||
|
f=({"HistoryTrim": {"force": True}}, force.help),
|
||||||
|
)
|
||||||
|
)
|
||||||
|
aliases = Dict() # type: ignore
|
||||||
|
|
||||||
|
def start(self):
|
||||||
|
if self.force or ask_yes_no(
|
||||||
|
"Really delete all ipython history? ", default="no", interrupt="no"
|
||||||
|
):
|
||||||
|
HistoryTrim.start(self)
|
||||||
|
|
||||||
|
|
||||||
|
class HistoryApp(Application):
|
||||||
|
name = "ipython-history"
|
||||||
|
description = "Manage the IPython history database."
|
||||||
|
|
||||||
|
subcommands = Dict(dict(
|
||||||
|
trim = (HistoryTrim, HistoryTrim.description.splitlines()[0]),
|
||||||
|
clear = (HistoryClear, HistoryClear.description.splitlines()[0]),
|
||||||
|
))
|
||||||
|
|
||||||
|
def start(self):
|
||||||
|
if self.subapp is None:
|
||||||
|
print(
|
||||||
|
"No subcommand specified. Must specify one of: "
|
||||||
|
+ ", ".join(map(repr, self.subcommands))
|
||||||
|
+ ".\n"
|
||||||
|
)
|
||||||
|
self.print_description()
|
||||||
|
self.print_subcommands()
|
||||||
|
self.exit(1)
|
||||||
|
else:
|
||||||
|
return self.subapp.start()
|
173
Лаб1/aimenv/Lib/site-packages/IPython/core/hooks.py
Normal file
173
Лаб1/aimenv/Lib/site-packages/IPython/core/hooks.py
Normal file
@ -0,0 +1,173 @@
|
|||||||
|
"""Hooks for IPython.
|
||||||
|
|
||||||
|
In Python, it is possible to overwrite any method of any object if you really
|
||||||
|
want to. But IPython exposes a few 'hooks', methods which are *designed* to
|
||||||
|
be overwritten by users for customization purposes. This module defines the
|
||||||
|
default versions of all such hooks, which get used by IPython if not
|
||||||
|
overridden by the user.
|
||||||
|
|
||||||
|
Hooks are simple functions, but they should be declared with ``self`` as their
|
||||||
|
first argument, because when activated they are registered into IPython as
|
||||||
|
instance methods. The self argument will be the IPython running instance
|
||||||
|
itself, so hooks have full access to the entire IPython object.
|
||||||
|
|
||||||
|
If you wish to define a new hook and activate it, you can make an :doc:`extension
|
||||||
|
</config/extensions/index>` or a :ref:`startup script <startup_files>`. For
|
||||||
|
example, you could use a startup file like this::
|
||||||
|
|
||||||
|
import os
|
||||||
|
|
||||||
|
def calljed(self,filename, linenum):
|
||||||
|
"My editor hook calls the jed editor directly."
|
||||||
|
print("Calling my own editor, jed ...")
|
||||||
|
if os.system('jed +%d %s' % (linenum,filename)) != 0:
|
||||||
|
raise TryNext()
|
||||||
|
|
||||||
|
def load_ipython_extension(ip):
|
||||||
|
ip.set_hook('editor', calljed)
|
||||||
|
|
||||||
|
"""
|
||||||
|
|
||||||
|
#*****************************************************************************
|
||||||
|
# Copyright (C) 2005 Fernando Perez. <fperez@colorado.edu>
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#*****************************************************************************
|
||||||
|
|
||||||
|
import os
|
||||||
|
import subprocess
|
||||||
|
import sys
|
||||||
|
|
||||||
|
from .error import TryNext
|
||||||
|
|
||||||
|
# List here all the default hooks. For now it's just the editor functions
|
||||||
|
# but over time we'll move here all the public API for user-accessible things.
|
||||||
|
|
||||||
|
__all__ = [
|
||||||
|
"editor",
|
||||||
|
"synchronize_with_editor",
|
||||||
|
"show_in_pager",
|
||||||
|
"pre_prompt_hook",
|
||||||
|
"clipboard_get",
|
||||||
|
]
|
||||||
|
|
||||||
|
deprecated = {'pre_run_code_hook': "a callback for the 'pre_execute' or 'pre_run_cell' event",
|
||||||
|
'late_startup_hook': "a callback for the 'shell_initialized' event",
|
||||||
|
'shutdown_hook': "the atexit module",
|
||||||
|
}
|
||||||
|
|
||||||
|
def editor(self, filename, linenum=None, wait=True):
|
||||||
|
"""Open the default editor at the given filename and linenumber.
|
||||||
|
|
||||||
|
This is IPython's default editor hook, you can use it as an example to
|
||||||
|
write your own modified one. To set your own editor function as the
|
||||||
|
new editor hook, call ip.set_hook('editor',yourfunc)."""
|
||||||
|
|
||||||
|
# IPython configures a default editor at startup by reading $EDITOR from
|
||||||
|
# the environment, and falling back on vi (unix) or notepad (win32).
|
||||||
|
editor = self.editor
|
||||||
|
|
||||||
|
# marker for at which line to open the file (for existing objects)
|
||||||
|
if linenum is None or editor=='notepad':
|
||||||
|
linemark = ''
|
||||||
|
else:
|
||||||
|
linemark = '+%d' % int(linenum)
|
||||||
|
|
||||||
|
# Enclose in quotes if necessary and legal
|
||||||
|
if ' ' in editor and os.path.isfile(editor) and editor[0] != '"':
|
||||||
|
editor = '"%s"' % editor
|
||||||
|
|
||||||
|
# Call the actual editor
|
||||||
|
proc = subprocess.Popen('%s %s %s' % (editor, linemark, filename),
|
||||||
|
shell=True)
|
||||||
|
if wait and proc.wait() != 0:
|
||||||
|
raise TryNext()
|
||||||
|
|
||||||
|
|
||||||
|
def synchronize_with_editor(self, filename, linenum, column):
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
class CommandChainDispatcher:
|
||||||
|
""" Dispatch calls to a chain of commands until some func can handle it
|
||||||
|
|
||||||
|
Usage: instantiate, execute "add" to add commands (with optional
|
||||||
|
priority), execute normally via f() calling mechanism.
|
||||||
|
|
||||||
|
"""
|
||||||
|
def __init__(self,commands=None):
|
||||||
|
if commands is None:
|
||||||
|
self.chain = []
|
||||||
|
else:
|
||||||
|
self.chain = commands
|
||||||
|
|
||||||
|
|
||||||
|
def __call__(self,*args, **kw):
|
||||||
|
""" Command chain is called just like normal func.
|
||||||
|
|
||||||
|
This will call all funcs in chain with the same args as were given to
|
||||||
|
this function, and return the result of first func that didn't raise
|
||||||
|
TryNext"""
|
||||||
|
last_exc = TryNext()
|
||||||
|
for prio,cmd in self.chain:
|
||||||
|
# print("prio",prio,"cmd",cmd) # dbg
|
||||||
|
try:
|
||||||
|
return cmd(*args, **kw)
|
||||||
|
except TryNext as exc:
|
||||||
|
last_exc = exc
|
||||||
|
# if no function will accept it, raise TryNext up to the caller
|
||||||
|
raise last_exc
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return str(self.chain)
|
||||||
|
|
||||||
|
def add(self, func, priority=0):
|
||||||
|
""" Add a func to the cmd chain with given priority """
|
||||||
|
self.chain.append((priority, func))
|
||||||
|
self.chain.sort(key=lambda x: x[0])
|
||||||
|
|
||||||
|
def __iter__(self):
|
||||||
|
""" Return all objects in chain.
|
||||||
|
|
||||||
|
Handy if the objects are not callable.
|
||||||
|
"""
|
||||||
|
return iter(self.chain)
|
||||||
|
|
||||||
|
|
||||||
|
def show_in_pager(self, data, start, screen_lines):
|
||||||
|
""" Run a string through pager """
|
||||||
|
# raising TryNext here will use the default paging functionality
|
||||||
|
raise TryNext
|
||||||
|
|
||||||
|
|
||||||
|
def pre_prompt_hook(self):
|
||||||
|
""" Run before displaying the next prompt
|
||||||
|
|
||||||
|
Use this e.g. to display output from asynchronous operations (in order
|
||||||
|
to not mess up text entry)
|
||||||
|
"""
|
||||||
|
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
|
def clipboard_get(self):
|
||||||
|
""" Get text from the clipboard.
|
||||||
|
"""
|
||||||
|
from ..lib.clipboard import (
|
||||||
|
osx_clipboard_get,
|
||||||
|
tkinter_clipboard_get,
|
||||||
|
win32_clipboard_get,
|
||||||
|
wayland_clipboard_get,
|
||||||
|
)
|
||||||
|
if sys.platform == 'win32':
|
||||||
|
chain = [win32_clipboard_get, tkinter_clipboard_get]
|
||||||
|
elif sys.platform == 'darwin':
|
||||||
|
chain = [osx_clipboard_get, tkinter_clipboard_get]
|
||||||
|
else:
|
||||||
|
chain = [wayland_clipboard_get, tkinter_clipboard_get]
|
||||||
|
dispatcher = CommandChainDispatcher()
|
||||||
|
for func in chain:
|
||||||
|
dispatcher.add(func)
|
||||||
|
text = dispatcher()
|
||||||
|
return text
|
798
Лаб1/aimenv/Lib/site-packages/IPython/core/inputsplitter.py
Normal file
798
Лаб1/aimenv/Lib/site-packages/IPython/core/inputsplitter.py
Normal file
@ -0,0 +1,798 @@
|
|||||||
|
"""DEPRECATED: Input handling and transformation machinery.
|
||||||
|
|
||||||
|
This module was deprecated in IPython 7.0, in favour of inputtransformer2.
|
||||||
|
|
||||||
|
The first class in this module, :class:`InputSplitter`, is designed to tell when
|
||||||
|
input from a line-oriented frontend is complete and should be executed, and when
|
||||||
|
the user should be prompted for another line of code instead. The name 'input
|
||||||
|
splitter' is largely for historical reasons.
|
||||||
|
|
||||||
|
A companion, :class:`IPythonInputSplitter`, provides the same functionality but
|
||||||
|
with full support for the extended IPython syntax (magics, system calls, etc).
|
||||||
|
The code to actually do these transformations is in :mod:`IPython.core.inputtransformer`.
|
||||||
|
:class:`IPythonInputSplitter` feeds the raw code to the transformers in order
|
||||||
|
and stores the results.
|
||||||
|
|
||||||
|
For more details, see the class docstrings below.
|
||||||
|
"""
|
||||||
|
from __future__ import annotations
|
||||||
|
|
||||||
|
from warnings import warn
|
||||||
|
|
||||||
|
warn('IPython.core.inputsplitter is deprecated since IPython 7 in favor of `IPython.core.inputtransformer2`',
|
||||||
|
DeprecationWarning)
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
import ast
|
||||||
|
import codeop
|
||||||
|
import io
|
||||||
|
import re
|
||||||
|
import sys
|
||||||
|
import tokenize
|
||||||
|
import warnings
|
||||||
|
|
||||||
|
from typing import List, Tuple, Union, Optional, TYPE_CHECKING
|
||||||
|
from types import CodeType
|
||||||
|
|
||||||
|
from IPython.core.inputtransformer import (leading_indent,
|
||||||
|
classic_prompt,
|
||||||
|
ipy_prompt,
|
||||||
|
cellmagic,
|
||||||
|
assemble_logical_lines,
|
||||||
|
help_end,
|
||||||
|
escaped_commands,
|
||||||
|
assign_from_magic,
|
||||||
|
assign_from_system,
|
||||||
|
assemble_python_lines,
|
||||||
|
)
|
||||||
|
from IPython.utils import tokenutil
|
||||||
|
|
||||||
|
# These are available in this module for backwards compatibility.
|
||||||
|
from IPython.core.inputtransformer import (ESC_SHELL, ESC_SH_CAP, ESC_HELP,
|
||||||
|
ESC_HELP2, ESC_MAGIC, ESC_MAGIC2,
|
||||||
|
ESC_QUOTE, ESC_QUOTE2, ESC_PAREN, ESC_SEQUENCES)
|
||||||
|
|
||||||
|
if TYPE_CHECKING:
|
||||||
|
from typing_extensions import Self
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Utilities
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# FIXME: These are general-purpose utilities that later can be moved to the
|
||||||
|
# general ward. Kept here for now because we're being very strict about test
|
||||||
|
# coverage with this code, and this lets us ensure that we keep 100% coverage
|
||||||
|
# while developing.
|
||||||
|
|
||||||
|
# compiled regexps for autoindent management
|
||||||
|
dedent_re = re.compile('|'.join([
|
||||||
|
r'^\s+raise(\s.*)?$', # raise statement (+ space + other stuff, maybe)
|
||||||
|
r'^\s+raise\([^\)]*\).*$', # wacky raise with immediate open paren
|
||||||
|
r'^\s+return(\s.*)?$', # normal return (+ space + other stuff, maybe)
|
||||||
|
r'^\s+return\([^\)]*\).*$', # wacky return with immediate open paren
|
||||||
|
r'^\s+pass\s*$', # pass (optionally followed by trailing spaces)
|
||||||
|
r'^\s+break\s*$', # break (optionally followed by trailing spaces)
|
||||||
|
r'^\s+continue\s*$', # continue (optionally followed by trailing spaces)
|
||||||
|
]))
|
||||||
|
ini_spaces_re = re.compile(r'^([ \t\r\f\v]+)')
|
||||||
|
|
||||||
|
# regexp to match pure comment lines so we don't accidentally insert 'if 1:'
|
||||||
|
# before pure comments
|
||||||
|
comment_line_re = re.compile(r'^\s*\#')
|
||||||
|
|
||||||
|
|
||||||
|
def num_ini_spaces(s):
|
||||||
|
"""Return the number of initial spaces in a string.
|
||||||
|
|
||||||
|
Note that tabs are counted as a single space. For now, we do *not* support
|
||||||
|
mixing of tabs and spaces in the user's input.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
s : string
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
n : int
|
||||||
|
"""
|
||||||
|
warnings.warn(
|
||||||
|
"`num_ini_spaces` is Pending Deprecation since IPython 8.17."
|
||||||
|
"It is considered fro removal in in future version. "
|
||||||
|
"Please open an issue if you believe it should be kept.",
|
||||||
|
stacklevel=2,
|
||||||
|
category=PendingDeprecationWarning,
|
||||||
|
)
|
||||||
|
ini_spaces = ini_spaces_re.match(s)
|
||||||
|
if ini_spaces:
|
||||||
|
return ini_spaces.end()
|
||||||
|
else:
|
||||||
|
return 0
|
||||||
|
|
||||||
|
# Fake token types for partial_tokenize:
|
||||||
|
INCOMPLETE_STRING = tokenize.N_TOKENS
|
||||||
|
IN_MULTILINE_STATEMENT = tokenize.N_TOKENS + 1
|
||||||
|
|
||||||
|
# The 2 classes below have the same API as TokenInfo, but don't try to look up
|
||||||
|
# a token type name that they won't find.
|
||||||
|
class IncompleteString:
|
||||||
|
type = exact_type = INCOMPLETE_STRING
|
||||||
|
def __init__(self, s, start, end, line):
|
||||||
|
self.s = s
|
||||||
|
self.start = start
|
||||||
|
self.end = end
|
||||||
|
self.line = line
|
||||||
|
|
||||||
|
class InMultilineStatement:
|
||||||
|
type = exact_type = IN_MULTILINE_STATEMENT
|
||||||
|
def __init__(self, pos, line):
|
||||||
|
self.s = ''
|
||||||
|
self.start = self.end = pos
|
||||||
|
self.line = line
|
||||||
|
|
||||||
|
def partial_tokens(s):
|
||||||
|
"""Iterate over tokens from a possibly-incomplete string of code.
|
||||||
|
|
||||||
|
This adds two special token types: INCOMPLETE_STRING and
|
||||||
|
IN_MULTILINE_STATEMENT. These can only occur as the last token yielded, and
|
||||||
|
represent the two main ways for code to be incomplete.
|
||||||
|
"""
|
||||||
|
readline = io.StringIO(s).readline
|
||||||
|
token = tokenize.TokenInfo(tokenize.NEWLINE, '', (1, 0), (1, 0), '')
|
||||||
|
try:
|
||||||
|
for token in tokenutil.generate_tokens_catch_errors(readline):
|
||||||
|
yield token
|
||||||
|
except tokenize.TokenError as e:
|
||||||
|
# catch EOF error
|
||||||
|
lines = s.splitlines(keepends=True)
|
||||||
|
end = len(lines), len(lines[-1])
|
||||||
|
if 'multi-line string' in e.args[0]:
|
||||||
|
l, c = start = token.end
|
||||||
|
s = lines[l-1][c:] + ''.join(lines[l:])
|
||||||
|
yield IncompleteString(s, start, end, lines[-1])
|
||||||
|
elif 'multi-line statement' in e.args[0]:
|
||||||
|
yield InMultilineStatement(end, lines[-1])
|
||||||
|
else:
|
||||||
|
raise
|
||||||
|
|
||||||
|
def find_next_indent(code) -> int:
|
||||||
|
"""Find the number of spaces for the next line of indentation"""
|
||||||
|
tokens = list(partial_tokens(code))
|
||||||
|
if tokens[-1].type == tokenize.ENDMARKER:
|
||||||
|
tokens.pop()
|
||||||
|
if not tokens:
|
||||||
|
return 0
|
||||||
|
|
||||||
|
while tokens[-1].type in {
|
||||||
|
tokenize.DEDENT,
|
||||||
|
tokenize.NEWLINE,
|
||||||
|
tokenize.COMMENT,
|
||||||
|
tokenize.ERRORTOKEN,
|
||||||
|
}:
|
||||||
|
tokens.pop()
|
||||||
|
|
||||||
|
# Starting in Python 3.12, the tokenize module adds implicit newlines at the end
|
||||||
|
# of input. We need to remove those if we're in a multiline statement
|
||||||
|
if tokens[-1].type == IN_MULTILINE_STATEMENT:
|
||||||
|
while tokens[-2].type in {tokenize.NL}:
|
||||||
|
tokens.pop(-2)
|
||||||
|
|
||||||
|
|
||||||
|
if tokens[-1].type == INCOMPLETE_STRING:
|
||||||
|
# Inside a multiline string
|
||||||
|
return 0
|
||||||
|
|
||||||
|
# Find the indents used before
|
||||||
|
prev_indents = [0]
|
||||||
|
def _add_indent(n):
|
||||||
|
if n != prev_indents[-1]:
|
||||||
|
prev_indents.append(n)
|
||||||
|
|
||||||
|
tokiter = iter(tokens)
|
||||||
|
for tok in tokiter:
|
||||||
|
if tok.type in {tokenize.INDENT, tokenize.DEDENT}:
|
||||||
|
_add_indent(tok.end[1])
|
||||||
|
elif (tok.type == tokenize.NL):
|
||||||
|
try:
|
||||||
|
_add_indent(next(tokiter).start[1])
|
||||||
|
except StopIteration:
|
||||||
|
break
|
||||||
|
|
||||||
|
last_indent = prev_indents.pop()
|
||||||
|
|
||||||
|
# If we've just opened a multiline statement (e.g. 'a = ['), indent more
|
||||||
|
if tokens[-1].type == IN_MULTILINE_STATEMENT:
|
||||||
|
if tokens[-2].exact_type in {tokenize.LPAR, tokenize.LSQB, tokenize.LBRACE}:
|
||||||
|
return last_indent + 4
|
||||||
|
return last_indent
|
||||||
|
|
||||||
|
if tokens[-1].exact_type == tokenize.COLON:
|
||||||
|
# Line ends with colon - indent
|
||||||
|
return last_indent + 4
|
||||||
|
|
||||||
|
if last_indent:
|
||||||
|
# Examine the last line for dedent cues - statements like return or
|
||||||
|
# raise which normally end a block of code.
|
||||||
|
last_line_starts = 0
|
||||||
|
for i, tok in enumerate(tokens):
|
||||||
|
if tok.type == tokenize.NEWLINE:
|
||||||
|
last_line_starts = i + 1
|
||||||
|
|
||||||
|
last_line_tokens = tokens[last_line_starts:]
|
||||||
|
names = [t.string for t in last_line_tokens if t.type == tokenize.NAME]
|
||||||
|
if names and names[0] in {'raise', 'return', 'pass', 'break', 'continue'}:
|
||||||
|
# Find the most recent indentation less than the current level
|
||||||
|
for indent in reversed(prev_indents):
|
||||||
|
if indent < last_indent:
|
||||||
|
return indent
|
||||||
|
|
||||||
|
return last_indent
|
||||||
|
|
||||||
|
|
||||||
|
def last_blank(src):
|
||||||
|
"""Determine if the input source ends in a blank.
|
||||||
|
|
||||||
|
A blank is either a newline or a line consisting of whitespace.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
src : string
|
||||||
|
A single or multiline string.
|
||||||
|
"""
|
||||||
|
if not src: return False
|
||||||
|
ll = src.splitlines()[-1]
|
||||||
|
return (ll == '') or ll.isspace()
|
||||||
|
|
||||||
|
|
||||||
|
last_two_blanks_re = re.compile(r'\n\s*\n\s*$', re.MULTILINE)
|
||||||
|
last_two_blanks_re2 = re.compile(r'.+\n\s*\n\s+$', re.MULTILINE)
|
||||||
|
|
||||||
|
def last_two_blanks(src):
|
||||||
|
"""Determine if the input source ends in two blanks.
|
||||||
|
|
||||||
|
A blank is either a newline or a line consisting of whitespace.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
src : string
|
||||||
|
A single or multiline string.
|
||||||
|
"""
|
||||||
|
if not src: return False
|
||||||
|
# The logic here is tricky: I couldn't get a regexp to work and pass all
|
||||||
|
# the tests, so I took a different approach: split the source by lines,
|
||||||
|
# grab the last two and prepend '###\n' as a stand-in for whatever was in
|
||||||
|
# the body before the last two lines. Then, with that structure, it's
|
||||||
|
# possible to analyze with two regexps. Not the most elegant solution, but
|
||||||
|
# it works. If anyone tries to change this logic, make sure to validate
|
||||||
|
# the whole test suite first!
|
||||||
|
new_src = '\n'.join(['###\n'] + src.splitlines()[-2:])
|
||||||
|
return (bool(last_two_blanks_re.match(new_src)) or
|
||||||
|
bool(last_two_blanks_re2.match(new_src)) )
|
||||||
|
|
||||||
|
|
||||||
|
def remove_comments(src):
|
||||||
|
"""Remove all comments from input source.
|
||||||
|
|
||||||
|
Note: comments are NOT recognized inside of strings!
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
src : string
|
||||||
|
A single or multiline input string.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
String with all Python comments removed.
|
||||||
|
"""
|
||||||
|
|
||||||
|
return re.sub('#.*', '', src)
|
||||||
|
|
||||||
|
|
||||||
|
def get_input_encoding():
|
||||||
|
"""Return the default standard input encoding.
|
||||||
|
|
||||||
|
If sys.stdin has no encoding, 'ascii' is returned."""
|
||||||
|
# There are strange environments for which sys.stdin.encoding is None. We
|
||||||
|
# ensure that a valid encoding is returned.
|
||||||
|
encoding = getattr(sys.stdin, 'encoding', None)
|
||||||
|
if encoding is None:
|
||||||
|
encoding = 'ascii'
|
||||||
|
return encoding
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Classes and functions for normal Python syntax handling
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class InputSplitter(object):
|
||||||
|
r"""An object that can accumulate lines of Python source before execution.
|
||||||
|
|
||||||
|
This object is designed to be fed python source line-by-line, using
|
||||||
|
:meth:`push`. It will return on each push whether the currently pushed
|
||||||
|
code could be executed already. In addition, it provides a method called
|
||||||
|
:meth:`push_accepts_more` that can be used to query whether more input
|
||||||
|
can be pushed into a single interactive block.
|
||||||
|
|
||||||
|
This is a simple example of how an interactive terminal-based client can use
|
||||||
|
this tool::
|
||||||
|
|
||||||
|
isp = InputSplitter()
|
||||||
|
while isp.push_accepts_more():
|
||||||
|
indent = ' '*isp.indent_spaces
|
||||||
|
prompt = '>>> ' + indent
|
||||||
|
line = indent + raw_input(prompt)
|
||||||
|
isp.push(line)
|
||||||
|
print('Input source was:\n', isp.source_reset())
|
||||||
|
"""
|
||||||
|
# A cache for storing the current indentation
|
||||||
|
# The first value stores the most recently processed source input
|
||||||
|
# The second value is the number of spaces for the current indentation
|
||||||
|
# If self.source matches the first value, the second value is a valid
|
||||||
|
# current indentation. Otherwise, the cache is invalid and the indentation
|
||||||
|
# must be recalculated.
|
||||||
|
_indent_spaces_cache: Union[Tuple[None, None], Tuple[str, int]] = None, None
|
||||||
|
# String, indicating the default input encoding. It is computed by default
|
||||||
|
# at initialization time via get_input_encoding(), but it can be reset by a
|
||||||
|
# client with specific knowledge of the encoding.
|
||||||
|
encoding = ''
|
||||||
|
# String where the current full source input is stored, properly encoded.
|
||||||
|
# Reading this attribute is the normal way of querying the currently pushed
|
||||||
|
# source code, that has been properly encoded.
|
||||||
|
source: str = ""
|
||||||
|
# Code object corresponding to the current source. It is automatically
|
||||||
|
# synced to the source, so it can be queried at any time to obtain the code
|
||||||
|
# object; it will be None if the source doesn't compile to valid Python.
|
||||||
|
code: Optional[CodeType] = None
|
||||||
|
|
||||||
|
# Private attributes
|
||||||
|
|
||||||
|
# List with lines of input accumulated so far
|
||||||
|
_buffer: List[str]
|
||||||
|
# Command compiler
|
||||||
|
_compile: codeop.CommandCompiler
|
||||||
|
# Boolean indicating whether the current block is complete
|
||||||
|
_is_complete: Optional[bool] = None
|
||||||
|
# Boolean indicating whether the current block has an unrecoverable syntax error
|
||||||
|
_is_invalid: bool = False
|
||||||
|
|
||||||
|
def __init__(self) -> None:
|
||||||
|
"""Create a new InputSplitter instance."""
|
||||||
|
self._buffer = []
|
||||||
|
self._compile = codeop.CommandCompiler()
|
||||||
|
self.encoding = get_input_encoding()
|
||||||
|
|
||||||
|
def reset(self):
|
||||||
|
"""Reset the input buffer and associated state."""
|
||||||
|
self._buffer[:] = []
|
||||||
|
self.source = ''
|
||||||
|
self.code = None
|
||||||
|
self._is_complete = False
|
||||||
|
self._is_invalid = False
|
||||||
|
|
||||||
|
def source_reset(self):
|
||||||
|
"""Return the input source and perform a full reset.
|
||||||
|
"""
|
||||||
|
out = self.source
|
||||||
|
self.reset()
|
||||||
|
return out
|
||||||
|
|
||||||
|
def check_complete(self, source):
|
||||||
|
"""Return whether a block of code is ready to execute, or should be continued
|
||||||
|
|
||||||
|
This is a non-stateful API, and will reset the state of this InputSplitter.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
source : string
|
||||||
|
Python input code, which can be multiline.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
status : str
|
||||||
|
One of 'complete', 'incomplete', or 'invalid' if source is not a
|
||||||
|
prefix of valid code.
|
||||||
|
indent_spaces : int or None
|
||||||
|
The number of spaces by which to indent the next line of code. If
|
||||||
|
status is not 'incomplete', this is None.
|
||||||
|
"""
|
||||||
|
self.reset()
|
||||||
|
try:
|
||||||
|
self.push(source)
|
||||||
|
except SyntaxError:
|
||||||
|
# Transformers in IPythonInputSplitter can raise SyntaxError,
|
||||||
|
# which push() will not catch.
|
||||||
|
return 'invalid', None
|
||||||
|
else:
|
||||||
|
if self._is_invalid:
|
||||||
|
return 'invalid', None
|
||||||
|
elif self.push_accepts_more():
|
||||||
|
return 'incomplete', self.get_indent_spaces()
|
||||||
|
else:
|
||||||
|
return 'complete', None
|
||||||
|
finally:
|
||||||
|
self.reset()
|
||||||
|
|
||||||
|
def push(self, lines:str) -> bool:
|
||||||
|
"""Push one or more lines of input.
|
||||||
|
|
||||||
|
This stores the given lines and returns a status code indicating
|
||||||
|
whether the code forms a complete Python block or not.
|
||||||
|
|
||||||
|
Any exceptions generated in compilation are swallowed, but if an
|
||||||
|
exception was produced, the method returns True.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
lines : string
|
||||||
|
One or more lines of Python input.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
is_complete : boolean
|
||||||
|
True if the current input source (the result of the current input
|
||||||
|
plus prior inputs) forms a complete Python execution block. Note that
|
||||||
|
this value is also stored as a private attribute (``_is_complete``), so it
|
||||||
|
can be queried at any time.
|
||||||
|
"""
|
||||||
|
assert isinstance(lines, str)
|
||||||
|
self._store(lines)
|
||||||
|
source = self.source
|
||||||
|
|
||||||
|
# Before calling _compile(), reset the code object to None so that if an
|
||||||
|
# exception is raised in compilation, we don't mislead by having
|
||||||
|
# inconsistent code/source attributes.
|
||||||
|
self.code, self._is_complete = None, None
|
||||||
|
self._is_invalid = False
|
||||||
|
|
||||||
|
# Honor termination lines properly
|
||||||
|
if source.endswith('\\\n'):
|
||||||
|
return False
|
||||||
|
|
||||||
|
try:
|
||||||
|
with warnings.catch_warnings():
|
||||||
|
warnings.simplefilter('error', SyntaxWarning)
|
||||||
|
self.code = self._compile(source, symbol="exec")
|
||||||
|
# Invalid syntax can produce any of a number of different errors from
|
||||||
|
# inside the compiler, so we have to catch them all. Syntax errors
|
||||||
|
# immediately produce a 'ready' block, so the invalid Python can be
|
||||||
|
# sent to the kernel for evaluation with possible ipython
|
||||||
|
# special-syntax conversion.
|
||||||
|
except (SyntaxError, OverflowError, ValueError, TypeError,
|
||||||
|
MemoryError, SyntaxWarning):
|
||||||
|
self._is_complete = True
|
||||||
|
self._is_invalid = True
|
||||||
|
else:
|
||||||
|
# Compilation didn't produce any exceptions (though it may not have
|
||||||
|
# given a complete code object)
|
||||||
|
self._is_complete = self.code is not None
|
||||||
|
|
||||||
|
return self._is_complete
|
||||||
|
|
||||||
|
def push_accepts_more(self):
|
||||||
|
"""Return whether a block of interactive input can accept more input.
|
||||||
|
|
||||||
|
This method is meant to be used by line-oriented frontends, who need to
|
||||||
|
guess whether a block is complete or not based solely on prior and
|
||||||
|
current input lines. The InputSplitter considers it has a complete
|
||||||
|
interactive block and will not accept more input when either:
|
||||||
|
|
||||||
|
* A SyntaxError is raised
|
||||||
|
|
||||||
|
* The code is complete and consists of a single line or a single
|
||||||
|
non-compound statement
|
||||||
|
|
||||||
|
* The code is complete and has a blank line at the end
|
||||||
|
|
||||||
|
If the current input produces a syntax error, this method immediately
|
||||||
|
returns False but does *not* raise the syntax error exception, as
|
||||||
|
typically clients will want to send invalid syntax to an execution
|
||||||
|
backend which might convert the invalid syntax into valid Python via
|
||||||
|
one of the dynamic IPython mechanisms.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# With incomplete input, unconditionally accept more
|
||||||
|
# A syntax error also sets _is_complete to True - see push()
|
||||||
|
if not self._is_complete:
|
||||||
|
#print("Not complete") # debug
|
||||||
|
return True
|
||||||
|
|
||||||
|
# The user can make any (complete) input execute by leaving a blank line
|
||||||
|
last_line = self.source.splitlines()[-1]
|
||||||
|
if (not last_line) or last_line.isspace():
|
||||||
|
#print("Blank line") # debug
|
||||||
|
return False
|
||||||
|
|
||||||
|
# If there's just a single line or AST node, and we're flush left, as is
|
||||||
|
# the case after a simple statement such as 'a=1', we want to execute it
|
||||||
|
# straight away.
|
||||||
|
if self.get_indent_spaces() == 0:
|
||||||
|
if len(self.source.splitlines()) <= 1:
|
||||||
|
return False
|
||||||
|
|
||||||
|
try:
|
||||||
|
code_ast = ast.parse("".join(self._buffer))
|
||||||
|
except Exception:
|
||||||
|
#print("Can't parse AST") # debug
|
||||||
|
return False
|
||||||
|
else:
|
||||||
|
if len(code_ast.body) == 1 and \
|
||||||
|
not hasattr(code_ast.body[0], 'body'):
|
||||||
|
#print("Simple statement") # debug
|
||||||
|
return False
|
||||||
|
|
||||||
|
# General fallback - accept more code
|
||||||
|
return True
|
||||||
|
|
||||||
|
def get_indent_spaces(self) -> int:
|
||||||
|
sourcefor, n = self._indent_spaces_cache
|
||||||
|
if sourcefor == self.source:
|
||||||
|
assert n is not None
|
||||||
|
return n
|
||||||
|
|
||||||
|
# self.source always has a trailing newline
|
||||||
|
n = find_next_indent(self.source[:-1])
|
||||||
|
self._indent_spaces_cache = (self.source, n)
|
||||||
|
return n
|
||||||
|
|
||||||
|
# Backwards compatibility. I think all code that used .indent_spaces was
|
||||||
|
# inside IPython, but we can leave this here until IPython 7 in case any
|
||||||
|
# other modules are using it. -TK, November 2017
|
||||||
|
indent_spaces = property(get_indent_spaces)
|
||||||
|
|
||||||
|
def _store(self, lines, buffer=None, store='source'):
|
||||||
|
"""Store one or more lines of input.
|
||||||
|
|
||||||
|
If input lines are not newline-terminated, a newline is automatically
|
||||||
|
appended."""
|
||||||
|
|
||||||
|
if buffer is None:
|
||||||
|
buffer = self._buffer
|
||||||
|
|
||||||
|
if lines.endswith('\n'):
|
||||||
|
buffer.append(lines)
|
||||||
|
else:
|
||||||
|
buffer.append(lines+'\n')
|
||||||
|
setattr(self, store, self._set_source(buffer))
|
||||||
|
|
||||||
|
def _set_source(self, buffer):
|
||||||
|
return u''.join(buffer)
|
||||||
|
|
||||||
|
|
||||||
|
class IPythonInputSplitter(InputSplitter):
|
||||||
|
"""An input splitter that recognizes all of IPython's special syntax."""
|
||||||
|
|
||||||
|
# String with raw, untransformed input.
|
||||||
|
source_raw = ''
|
||||||
|
|
||||||
|
# Flag to track when a transformer has stored input that it hasn't given
|
||||||
|
# back yet.
|
||||||
|
transformer_accumulating = False
|
||||||
|
|
||||||
|
# Flag to track when assemble_python_lines has stored input that it hasn't
|
||||||
|
# given back yet.
|
||||||
|
within_python_line = False
|
||||||
|
|
||||||
|
# Private attributes
|
||||||
|
|
||||||
|
# List with lines of raw input accumulated so far.
|
||||||
|
_buffer_raw: List[str]
|
||||||
|
|
||||||
|
def __init__(self, line_input_checker=True, physical_line_transforms=None,
|
||||||
|
logical_line_transforms=None, python_line_transforms=None):
|
||||||
|
super(IPythonInputSplitter, self).__init__()
|
||||||
|
self._buffer_raw = []
|
||||||
|
self._validate = True
|
||||||
|
|
||||||
|
if physical_line_transforms is not None:
|
||||||
|
self.physical_line_transforms = physical_line_transforms
|
||||||
|
else:
|
||||||
|
self.physical_line_transforms = [
|
||||||
|
leading_indent(),
|
||||||
|
classic_prompt(),
|
||||||
|
ipy_prompt(),
|
||||||
|
cellmagic(end_on_blank_line=line_input_checker),
|
||||||
|
]
|
||||||
|
|
||||||
|
self.assemble_logical_lines = assemble_logical_lines()
|
||||||
|
if logical_line_transforms is not None:
|
||||||
|
self.logical_line_transforms = logical_line_transforms
|
||||||
|
else:
|
||||||
|
self.logical_line_transforms = [
|
||||||
|
help_end(),
|
||||||
|
escaped_commands(),
|
||||||
|
assign_from_magic(),
|
||||||
|
assign_from_system(),
|
||||||
|
]
|
||||||
|
|
||||||
|
self.assemble_python_lines = assemble_python_lines()
|
||||||
|
if python_line_transforms is not None:
|
||||||
|
self.python_line_transforms = python_line_transforms
|
||||||
|
else:
|
||||||
|
# We don't use any of these at present
|
||||||
|
self.python_line_transforms = []
|
||||||
|
|
||||||
|
@property
|
||||||
|
def transforms(self):
|
||||||
|
"Quick access to all transformers."
|
||||||
|
return self.physical_line_transforms + \
|
||||||
|
[self.assemble_logical_lines] + self.logical_line_transforms + \
|
||||||
|
[self.assemble_python_lines] + self.python_line_transforms
|
||||||
|
|
||||||
|
@property
|
||||||
|
def transforms_in_use(self):
|
||||||
|
"""Transformers, excluding logical line transformers if we're in a
|
||||||
|
Python line."""
|
||||||
|
t = self.physical_line_transforms[:]
|
||||||
|
if not self.within_python_line:
|
||||||
|
t += [self.assemble_logical_lines] + self.logical_line_transforms
|
||||||
|
return t + [self.assemble_python_lines] + self.python_line_transforms
|
||||||
|
|
||||||
|
def reset(self):
|
||||||
|
"""Reset the input buffer and associated state."""
|
||||||
|
super(IPythonInputSplitter, self).reset()
|
||||||
|
self._buffer_raw[:] = []
|
||||||
|
self.source_raw = ''
|
||||||
|
self.transformer_accumulating = False
|
||||||
|
self.within_python_line = False
|
||||||
|
|
||||||
|
for t in self.transforms:
|
||||||
|
try:
|
||||||
|
t.reset()
|
||||||
|
except SyntaxError:
|
||||||
|
# Nothing that calls reset() expects to handle transformer
|
||||||
|
# errors
|
||||||
|
pass
|
||||||
|
|
||||||
|
def flush_transformers(self: Self):
|
||||||
|
def _flush(transform, outs: List[str]):
|
||||||
|
"""yield transformed lines
|
||||||
|
|
||||||
|
always strings, never None
|
||||||
|
|
||||||
|
transform: the current transform
|
||||||
|
outs: an iterable of previously transformed inputs.
|
||||||
|
Each may be multiline, which will be passed
|
||||||
|
one line at a time to transform.
|
||||||
|
"""
|
||||||
|
for out in outs:
|
||||||
|
for line in out.splitlines():
|
||||||
|
# push one line at a time
|
||||||
|
tmp = transform.push(line)
|
||||||
|
if tmp is not None:
|
||||||
|
yield tmp
|
||||||
|
|
||||||
|
# reset the transform
|
||||||
|
tmp = transform.reset()
|
||||||
|
if tmp is not None:
|
||||||
|
yield tmp
|
||||||
|
|
||||||
|
out: List[str] = []
|
||||||
|
for t in self.transforms_in_use:
|
||||||
|
out = _flush(t, out)
|
||||||
|
|
||||||
|
out = list(out)
|
||||||
|
if out:
|
||||||
|
self._store('\n'.join(out))
|
||||||
|
|
||||||
|
def raw_reset(self):
|
||||||
|
"""Return raw input only and perform a full reset.
|
||||||
|
"""
|
||||||
|
out = self.source_raw
|
||||||
|
self.reset()
|
||||||
|
return out
|
||||||
|
|
||||||
|
def source_reset(self):
|
||||||
|
try:
|
||||||
|
self.flush_transformers()
|
||||||
|
return self.source
|
||||||
|
finally:
|
||||||
|
self.reset()
|
||||||
|
|
||||||
|
def push_accepts_more(self):
|
||||||
|
if self.transformer_accumulating:
|
||||||
|
return True
|
||||||
|
else:
|
||||||
|
return super(IPythonInputSplitter, self).push_accepts_more()
|
||||||
|
|
||||||
|
def transform_cell(self, cell):
|
||||||
|
"""Process and translate a cell of input.
|
||||||
|
"""
|
||||||
|
self.reset()
|
||||||
|
try:
|
||||||
|
self.push(cell)
|
||||||
|
self.flush_transformers()
|
||||||
|
return self.source
|
||||||
|
finally:
|
||||||
|
self.reset()
|
||||||
|
|
||||||
|
def push(self, lines:str) -> bool:
|
||||||
|
"""Push one or more lines of IPython input.
|
||||||
|
|
||||||
|
This stores the given lines and returns a status code indicating
|
||||||
|
whether the code forms a complete Python block or not, after processing
|
||||||
|
all input lines for special IPython syntax.
|
||||||
|
|
||||||
|
Any exceptions generated in compilation are swallowed, but if an
|
||||||
|
exception was produced, the method returns True.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
lines : string
|
||||||
|
One or more lines of Python input.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
is_complete : boolean
|
||||||
|
True if the current input source (the result of the current input
|
||||||
|
plus prior inputs) forms a complete Python execution block. Note that
|
||||||
|
this value is also stored as a private attribute (_is_complete), so it
|
||||||
|
can be queried at any time.
|
||||||
|
"""
|
||||||
|
assert isinstance(lines, str)
|
||||||
|
# We must ensure all input is pure unicode
|
||||||
|
# ''.splitlines() --> [], but we need to push the empty line to transformers
|
||||||
|
lines_list = lines.splitlines()
|
||||||
|
if not lines_list:
|
||||||
|
lines_list = ['']
|
||||||
|
|
||||||
|
# Store raw source before applying any transformations to it. Note
|
||||||
|
# that this must be done *after* the reset() call that would otherwise
|
||||||
|
# flush the buffer.
|
||||||
|
self._store(lines, self._buffer_raw, 'source_raw')
|
||||||
|
|
||||||
|
transformed_lines_list = []
|
||||||
|
for line in lines_list:
|
||||||
|
transformed = self._transform_line(line)
|
||||||
|
if transformed is not None:
|
||||||
|
transformed_lines_list.append(transformed)
|
||||||
|
|
||||||
|
if transformed_lines_list:
|
||||||
|
transformed_lines = '\n'.join(transformed_lines_list)
|
||||||
|
return super(IPythonInputSplitter, self).push(transformed_lines)
|
||||||
|
else:
|
||||||
|
# Got nothing back from transformers - they must be waiting for
|
||||||
|
# more input.
|
||||||
|
return False
|
||||||
|
|
||||||
|
def _transform_line(self, line):
|
||||||
|
"""Push a line of input code through the various transformers.
|
||||||
|
|
||||||
|
Returns any output from the transformers, or None if a transformer
|
||||||
|
is accumulating lines.
|
||||||
|
|
||||||
|
Sets self.transformer_accumulating as a side effect.
|
||||||
|
"""
|
||||||
|
def _accumulating(dbg):
|
||||||
|
#print(dbg)
|
||||||
|
self.transformer_accumulating = True
|
||||||
|
return None
|
||||||
|
|
||||||
|
for transformer in self.physical_line_transforms:
|
||||||
|
line = transformer.push(line)
|
||||||
|
if line is None:
|
||||||
|
return _accumulating(transformer)
|
||||||
|
|
||||||
|
if not self.within_python_line:
|
||||||
|
line = self.assemble_logical_lines.push(line)
|
||||||
|
if line is None:
|
||||||
|
return _accumulating('acc logical line')
|
||||||
|
|
||||||
|
for transformer in self.logical_line_transforms:
|
||||||
|
line = transformer.push(line)
|
||||||
|
if line is None:
|
||||||
|
return _accumulating(transformer)
|
||||||
|
|
||||||
|
line = self.assemble_python_lines.push(line)
|
||||||
|
if line is None:
|
||||||
|
self.within_python_line = True
|
||||||
|
return _accumulating('acc python line')
|
||||||
|
else:
|
||||||
|
self.within_python_line = False
|
||||||
|
|
||||||
|
for transformer in self.python_line_transforms:
|
||||||
|
line = transformer.push(line)
|
||||||
|
if line is None:
|
||||||
|
return _accumulating(transformer)
|
||||||
|
|
||||||
|
#print("transformers clear") #debug
|
||||||
|
self.transformer_accumulating = False
|
||||||
|
return line
|
||||||
|
|
544
Лаб1/aimenv/Lib/site-packages/IPython/core/inputtransformer.py
Normal file
544
Лаб1/aimenv/Lib/site-packages/IPython/core/inputtransformer.py
Normal file
@ -0,0 +1,544 @@
|
|||||||
|
"""DEPRECATED: Input transformer classes to support IPython special syntax.
|
||||||
|
|
||||||
|
This module was deprecated in IPython 7.0, in favour of inputtransformer2.
|
||||||
|
|
||||||
|
This includes the machinery to recognise and transform ``%magic`` commands,
|
||||||
|
``!system`` commands, ``help?`` querying, prompt stripping, and so forth.
|
||||||
|
"""
|
||||||
|
import abc
|
||||||
|
import functools
|
||||||
|
import re
|
||||||
|
import tokenize
|
||||||
|
from tokenize import untokenize, TokenError
|
||||||
|
from io import StringIO
|
||||||
|
|
||||||
|
from IPython.core.splitinput import LineInfo
|
||||||
|
from IPython.utils import tokenutil
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Globals
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# The escape sequences that define the syntax transformations IPython will
|
||||||
|
# apply to user input. These can NOT be just changed here: many regular
|
||||||
|
# expressions and other parts of the code may use their hardcoded values, and
|
||||||
|
# for all intents and purposes they constitute the 'IPython syntax', so they
|
||||||
|
# should be considered fixed.
|
||||||
|
|
||||||
|
ESC_SHELL = '!' # Send line to underlying system shell
|
||||||
|
ESC_SH_CAP = '!!' # Send line to system shell and capture output
|
||||||
|
ESC_HELP = '?' # Find information about object
|
||||||
|
ESC_HELP2 = '??' # Find extra-detailed information about object
|
||||||
|
ESC_MAGIC = '%' # Call magic function
|
||||||
|
ESC_MAGIC2 = '%%' # Call cell-magic function
|
||||||
|
ESC_QUOTE = ',' # Split args on whitespace, quote each as string and call
|
||||||
|
ESC_QUOTE2 = ';' # Quote all args as a single string, call
|
||||||
|
ESC_PAREN = '/' # Call first argument with rest of line as arguments
|
||||||
|
|
||||||
|
ESC_SEQUENCES = [ESC_SHELL, ESC_SH_CAP, ESC_HELP ,\
|
||||||
|
ESC_HELP2, ESC_MAGIC, ESC_MAGIC2,\
|
||||||
|
ESC_QUOTE, ESC_QUOTE2, ESC_PAREN ]
|
||||||
|
|
||||||
|
|
||||||
|
class InputTransformer(metaclass=abc.ABCMeta):
|
||||||
|
"""Abstract base class for line-based input transformers."""
|
||||||
|
|
||||||
|
@abc.abstractmethod
|
||||||
|
def push(self, line):
|
||||||
|
"""Send a line of input to the transformer, returning the transformed
|
||||||
|
input or None if the transformer is waiting for more input.
|
||||||
|
|
||||||
|
Must be overridden by subclasses.
|
||||||
|
|
||||||
|
Implementations may raise ``SyntaxError`` if the input is invalid. No
|
||||||
|
other exceptions may be raised.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
|
@abc.abstractmethod
|
||||||
|
def reset(self):
|
||||||
|
"""Return, transformed any lines that the transformer has accumulated,
|
||||||
|
and reset its internal state.
|
||||||
|
|
||||||
|
Must be overridden by subclasses.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
def wrap(cls, func):
|
||||||
|
"""Can be used by subclasses as a decorator, to return a factory that
|
||||||
|
will allow instantiation with the decorated object.
|
||||||
|
"""
|
||||||
|
@functools.wraps(func)
|
||||||
|
def transformer_factory(**kwargs):
|
||||||
|
return cls(func, **kwargs) # type: ignore [call-arg]
|
||||||
|
|
||||||
|
return transformer_factory
|
||||||
|
|
||||||
|
class StatelessInputTransformer(InputTransformer):
|
||||||
|
"""Wrapper for a stateless input transformer implemented as a function."""
|
||||||
|
def __init__(self, func):
|
||||||
|
self.func = func
|
||||||
|
|
||||||
|
def __repr__(self):
|
||||||
|
return "StatelessInputTransformer(func={0!r})".format(self.func)
|
||||||
|
|
||||||
|
def push(self, line):
|
||||||
|
"""Send a line of input to the transformer, returning the
|
||||||
|
transformed input."""
|
||||||
|
return self.func(line)
|
||||||
|
|
||||||
|
def reset(self):
|
||||||
|
"""No-op - exists for compatibility."""
|
||||||
|
pass
|
||||||
|
|
||||||
|
class CoroutineInputTransformer(InputTransformer):
|
||||||
|
"""Wrapper for an input transformer implemented as a coroutine."""
|
||||||
|
def __init__(self, coro, **kwargs):
|
||||||
|
# Prime it
|
||||||
|
self.coro = coro(**kwargs)
|
||||||
|
next(self.coro)
|
||||||
|
|
||||||
|
def __repr__(self):
|
||||||
|
return "CoroutineInputTransformer(coro={0!r})".format(self.coro)
|
||||||
|
|
||||||
|
def push(self, line):
|
||||||
|
"""Send a line of input to the transformer, returning the
|
||||||
|
transformed input or None if the transformer is waiting for more
|
||||||
|
input.
|
||||||
|
"""
|
||||||
|
return self.coro.send(line)
|
||||||
|
|
||||||
|
def reset(self):
|
||||||
|
"""Return, transformed any lines that the transformer has
|
||||||
|
accumulated, and reset its internal state.
|
||||||
|
"""
|
||||||
|
return self.coro.send(None)
|
||||||
|
|
||||||
|
class TokenInputTransformer(InputTransformer):
|
||||||
|
"""Wrapper for a token-based input transformer.
|
||||||
|
|
||||||
|
func should accept a list of tokens (5-tuples, see tokenize docs), and
|
||||||
|
return an iterable which can be passed to tokenize.untokenize().
|
||||||
|
"""
|
||||||
|
def __init__(self, func):
|
||||||
|
self.func = func
|
||||||
|
self.buf = []
|
||||||
|
self.reset_tokenizer()
|
||||||
|
|
||||||
|
def reset_tokenizer(self):
|
||||||
|
it = iter(self.buf)
|
||||||
|
self.tokenizer = tokenutil.generate_tokens_catch_errors(it.__next__)
|
||||||
|
|
||||||
|
def push(self, line):
|
||||||
|
self.buf.append(line + '\n')
|
||||||
|
if all(l.isspace() for l in self.buf):
|
||||||
|
return self.reset()
|
||||||
|
|
||||||
|
tokens = []
|
||||||
|
stop_at_NL = False
|
||||||
|
try:
|
||||||
|
for intok in self.tokenizer:
|
||||||
|
tokens.append(intok)
|
||||||
|
t = intok[0]
|
||||||
|
if t == tokenize.NEWLINE or (stop_at_NL and t == tokenize.NL):
|
||||||
|
# Stop before we try to pull a line we don't have yet
|
||||||
|
break
|
||||||
|
elif t == tokenize.ERRORTOKEN:
|
||||||
|
stop_at_NL = True
|
||||||
|
except TokenError:
|
||||||
|
# Multi-line statement - stop and try again with the next line
|
||||||
|
self.reset_tokenizer()
|
||||||
|
return None
|
||||||
|
|
||||||
|
return self.output(tokens)
|
||||||
|
|
||||||
|
def output(self, tokens):
|
||||||
|
self.buf.clear()
|
||||||
|
self.reset_tokenizer()
|
||||||
|
return untokenize(self.func(tokens)).rstrip('\n')
|
||||||
|
|
||||||
|
def reset(self):
|
||||||
|
l = ''.join(self.buf)
|
||||||
|
self.buf.clear()
|
||||||
|
self.reset_tokenizer()
|
||||||
|
if l:
|
||||||
|
return l.rstrip('\n')
|
||||||
|
|
||||||
|
class assemble_python_lines(TokenInputTransformer):
|
||||||
|
def __init__(self):
|
||||||
|
super(assemble_python_lines, self).__init__(None)
|
||||||
|
|
||||||
|
def output(self, tokens):
|
||||||
|
return self.reset()
|
||||||
|
|
||||||
|
@CoroutineInputTransformer.wrap
|
||||||
|
def assemble_logical_lines():
|
||||||
|
r"""Join lines following explicit line continuations (\)"""
|
||||||
|
line = ''
|
||||||
|
while True:
|
||||||
|
line = (yield line)
|
||||||
|
if not line or line.isspace():
|
||||||
|
continue
|
||||||
|
|
||||||
|
parts = []
|
||||||
|
while line is not None:
|
||||||
|
if line.endswith('\\') and (not has_comment(line)):
|
||||||
|
parts.append(line[:-1])
|
||||||
|
line = (yield None) # Get another line
|
||||||
|
else:
|
||||||
|
parts.append(line)
|
||||||
|
break
|
||||||
|
|
||||||
|
# Output
|
||||||
|
line = ''.join(parts)
|
||||||
|
|
||||||
|
# Utilities
|
||||||
|
def _make_help_call(target: str, esc: str, lspace: str) -> str:
|
||||||
|
"""Prepares a pinfo(2)/psearch call from a target name and the escape
|
||||||
|
(i.e. ? or ??)"""
|
||||||
|
method = 'pinfo2' if esc == '??' \
|
||||||
|
else 'psearch' if '*' in target \
|
||||||
|
else 'pinfo'
|
||||||
|
arg = " ".join([method, target])
|
||||||
|
#Prepare arguments for get_ipython().run_line_magic(magic_name, magic_args)
|
||||||
|
t_magic_name, _, t_magic_arg_s = arg.partition(' ')
|
||||||
|
t_magic_name = t_magic_name.lstrip(ESC_MAGIC)
|
||||||
|
return "%sget_ipython().run_line_magic(%r, %r)" % (
|
||||||
|
lspace,
|
||||||
|
t_magic_name,
|
||||||
|
t_magic_arg_s,
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
# These define the transformations for the different escape characters.
|
||||||
|
def _tr_system(line_info: LineInfo):
|
||||||
|
"Translate lines escaped with: !"
|
||||||
|
cmd = line_info.line.lstrip().lstrip(ESC_SHELL)
|
||||||
|
return '%sget_ipython().system(%r)' % (line_info.pre, cmd)
|
||||||
|
|
||||||
|
|
||||||
|
def _tr_system2(line_info: LineInfo):
|
||||||
|
"Translate lines escaped with: !!"
|
||||||
|
cmd = line_info.line.lstrip()[2:]
|
||||||
|
return '%sget_ipython().getoutput(%r)' % (line_info.pre, cmd)
|
||||||
|
|
||||||
|
|
||||||
|
def _tr_help(line_info: LineInfo):
|
||||||
|
"Translate lines escaped with: ?/??"
|
||||||
|
# A naked help line should just fire the intro help screen
|
||||||
|
if not line_info.line[1:]:
|
||||||
|
return 'get_ipython().show_usage()'
|
||||||
|
|
||||||
|
return _make_help_call(line_info.ifun, line_info.esc, line_info.pre)
|
||||||
|
|
||||||
|
|
||||||
|
def _tr_magic(line_info: LineInfo):
|
||||||
|
"Translate lines escaped with: %"
|
||||||
|
tpl = '%sget_ipython().run_line_magic(%r, %r)'
|
||||||
|
if line_info.line.startswith(ESC_MAGIC2):
|
||||||
|
return line_info.line
|
||||||
|
cmd = ' '.join([line_info.ifun, line_info.the_rest]).strip()
|
||||||
|
#Prepare arguments for get_ipython().run_line_magic(magic_name, magic_args)
|
||||||
|
t_magic_name, _, t_magic_arg_s = cmd.partition(' ')
|
||||||
|
t_magic_name = t_magic_name.lstrip(ESC_MAGIC)
|
||||||
|
return tpl % (line_info.pre, t_magic_name, t_magic_arg_s)
|
||||||
|
|
||||||
|
|
||||||
|
def _tr_quote(line_info: LineInfo):
|
||||||
|
"Translate lines escaped with: ,"
|
||||||
|
return '%s%s("%s")' % (line_info.pre, line_info.ifun,
|
||||||
|
'", "'.join(line_info.the_rest.split()) )
|
||||||
|
|
||||||
|
|
||||||
|
def _tr_quote2(line_info: LineInfo):
|
||||||
|
"Translate lines escaped with: ;"
|
||||||
|
return '%s%s("%s")' % (line_info.pre, line_info.ifun,
|
||||||
|
line_info.the_rest)
|
||||||
|
|
||||||
|
|
||||||
|
def _tr_paren(line_info: LineInfo):
|
||||||
|
"Translate lines escaped with: /"
|
||||||
|
return '%s%s(%s)' % (line_info.pre, line_info.ifun,
|
||||||
|
", ".join(line_info.the_rest.split()))
|
||||||
|
|
||||||
|
tr = { ESC_SHELL : _tr_system,
|
||||||
|
ESC_SH_CAP : _tr_system2,
|
||||||
|
ESC_HELP : _tr_help,
|
||||||
|
ESC_HELP2 : _tr_help,
|
||||||
|
ESC_MAGIC : _tr_magic,
|
||||||
|
ESC_QUOTE : _tr_quote,
|
||||||
|
ESC_QUOTE2 : _tr_quote2,
|
||||||
|
ESC_PAREN : _tr_paren }
|
||||||
|
|
||||||
|
@StatelessInputTransformer.wrap
|
||||||
|
def escaped_commands(line: str):
|
||||||
|
"""Transform escaped commands - %magic, !system, ?help + various autocalls."""
|
||||||
|
if not line or line.isspace():
|
||||||
|
return line
|
||||||
|
lineinf = LineInfo(line)
|
||||||
|
if lineinf.esc not in tr:
|
||||||
|
return line
|
||||||
|
|
||||||
|
return tr[lineinf.esc](lineinf)
|
||||||
|
|
||||||
|
_initial_space_re = re.compile(r'\s*')
|
||||||
|
|
||||||
|
_help_end_re = re.compile(r"""(%{0,2}
|
||||||
|
(?!\d)[\w*]+ # Variable name
|
||||||
|
(\.(?!\d)[\w*]+)* # .etc.etc
|
||||||
|
)
|
||||||
|
(\?\??)$ # ? or ??
|
||||||
|
""",
|
||||||
|
re.VERBOSE)
|
||||||
|
|
||||||
|
# Extra pseudotokens for multiline strings and data structures
|
||||||
|
_MULTILINE_STRING = object()
|
||||||
|
_MULTILINE_STRUCTURE = object()
|
||||||
|
|
||||||
|
def _line_tokens(line):
|
||||||
|
"""Helper for has_comment and ends_in_comment_or_string."""
|
||||||
|
readline = StringIO(line).readline
|
||||||
|
toktypes = set()
|
||||||
|
try:
|
||||||
|
for t in tokenutil.generate_tokens_catch_errors(readline):
|
||||||
|
toktypes.add(t[0])
|
||||||
|
except TokenError as e:
|
||||||
|
# There are only two cases where a TokenError is raised.
|
||||||
|
if 'multi-line string' in e.args[0]:
|
||||||
|
toktypes.add(_MULTILINE_STRING)
|
||||||
|
else:
|
||||||
|
toktypes.add(_MULTILINE_STRUCTURE)
|
||||||
|
return toktypes
|
||||||
|
|
||||||
|
def has_comment(src):
|
||||||
|
"""Indicate whether an input line has (i.e. ends in, or is) a comment.
|
||||||
|
|
||||||
|
This uses tokenize, so it can distinguish comments from # inside strings.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
src : string
|
||||||
|
A single line input string.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
comment : bool
|
||||||
|
True if source has a comment.
|
||||||
|
"""
|
||||||
|
return (tokenize.COMMENT in _line_tokens(src))
|
||||||
|
|
||||||
|
def ends_in_comment_or_string(src):
|
||||||
|
"""Indicates whether or not an input line ends in a comment or within
|
||||||
|
a multiline string.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
src : string
|
||||||
|
A single line input string.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
comment : bool
|
||||||
|
True if source ends in a comment or multiline string.
|
||||||
|
"""
|
||||||
|
toktypes = _line_tokens(src)
|
||||||
|
return (tokenize.COMMENT in toktypes) or (_MULTILINE_STRING in toktypes)
|
||||||
|
|
||||||
|
|
||||||
|
@StatelessInputTransformer.wrap
|
||||||
|
def help_end(line: str):
|
||||||
|
"""Translate lines with ?/?? at the end"""
|
||||||
|
m = _help_end_re.search(line)
|
||||||
|
if m is None or ends_in_comment_or_string(line):
|
||||||
|
return line
|
||||||
|
target = m.group(1)
|
||||||
|
esc = m.group(3)
|
||||||
|
match = _initial_space_re.match(line)
|
||||||
|
assert match is not None
|
||||||
|
lspace = match.group(0)
|
||||||
|
|
||||||
|
return _make_help_call(target, esc, lspace)
|
||||||
|
|
||||||
|
|
||||||
|
@CoroutineInputTransformer.wrap
|
||||||
|
def cellmagic(end_on_blank_line: bool = False):
|
||||||
|
"""Captures & transforms cell magics.
|
||||||
|
|
||||||
|
After a cell magic is started, this stores up any lines it gets until it is
|
||||||
|
reset (sent None).
|
||||||
|
"""
|
||||||
|
tpl = 'get_ipython().run_cell_magic(%r, %r, %r)'
|
||||||
|
cellmagic_help_re = re.compile(r'%%\w+\?')
|
||||||
|
line = ''
|
||||||
|
while True:
|
||||||
|
line = (yield line)
|
||||||
|
# consume leading empty lines
|
||||||
|
while not line:
|
||||||
|
line = (yield line)
|
||||||
|
|
||||||
|
if not line.startswith(ESC_MAGIC2):
|
||||||
|
# This isn't a cell magic, idle waiting for reset then start over
|
||||||
|
while line is not None:
|
||||||
|
line = (yield line)
|
||||||
|
continue
|
||||||
|
|
||||||
|
if cellmagic_help_re.match(line):
|
||||||
|
# This case will be handled by help_end
|
||||||
|
continue
|
||||||
|
|
||||||
|
first = line
|
||||||
|
body = []
|
||||||
|
line = (yield None)
|
||||||
|
while (line is not None) and \
|
||||||
|
((line.strip() != '') or not end_on_blank_line):
|
||||||
|
body.append(line)
|
||||||
|
line = (yield None)
|
||||||
|
|
||||||
|
# Output
|
||||||
|
magic_name, _, first = first.partition(' ')
|
||||||
|
magic_name = magic_name.lstrip(ESC_MAGIC2)
|
||||||
|
line = tpl % (magic_name, first, u'\n'.join(body))
|
||||||
|
|
||||||
|
|
||||||
|
def _strip_prompts(prompt_re, initial_re=None, turnoff_re=None):
|
||||||
|
"""Remove matching input prompts from a block of input.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
prompt_re : regular expression
|
||||||
|
A regular expression matching any input prompt (including continuation)
|
||||||
|
initial_re : regular expression, optional
|
||||||
|
A regular expression matching only the initial prompt, but not continuation.
|
||||||
|
If no initial expression is given, prompt_re will be used everywhere.
|
||||||
|
Used mainly for plain Python prompts, where the continuation prompt
|
||||||
|
``...`` is a valid Python expression in Python 3, so shouldn't be stripped.
|
||||||
|
|
||||||
|
Notes
|
||||||
|
-----
|
||||||
|
If `initial_re` and `prompt_re differ`,
|
||||||
|
only `initial_re` will be tested against the first line.
|
||||||
|
If any prompt is found on the first two lines,
|
||||||
|
prompts will be stripped from the rest of the block.
|
||||||
|
"""
|
||||||
|
if initial_re is None:
|
||||||
|
initial_re = prompt_re
|
||||||
|
line = ''
|
||||||
|
while True:
|
||||||
|
line = (yield line)
|
||||||
|
|
||||||
|
# First line of cell
|
||||||
|
if line is None:
|
||||||
|
continue
|
||||||
|
out, n1 = initial_re.subn('', line, count=1)
|
||||||
|
if turnoff_re and not n1:
|
||||||
|
if turnoff_re.match(line):
|
||||||
|
# We're in e.g. a cell magic; disable this transformer for
|
||||||
|
# the rest of the cell.
|
||||||
|
while line is not None:
|
||||||
|
line = (yield line)
|
||||||
|
continue
|
||||||
|
|
||||||
|
line = (yield out)
|
||||||
|
|
||||||
|
if line is None:
|
||||||
|
continue
|
||||||
|
# check for any prompt on the second line of the cell,
|
||||||
|
# because people often copy from just after the first prompt,
|
||||||
|
# so we might not see it in the first line.
|
||||||
|
out, n2 = prompt_re.subn('', line, count=1)
|
||||||
|
line = (yield out)
|
||||||
|
|
||||||
|
if n1 or n2:
|
||||||
|
# Found a prompt in the first two lines - check for it in
|
||||||
|
# the rest of the cell as well.
|
||||||
|
while line is not None:
|
||||||
|
line = (yield prompt_re.sub('', line, count=1))
|
||||||
|
|
||||||
|
else:
|
||||||
|
# Prompts not in input - wait for reset
|
||||||
|
while line is not None:
|
||||||
|
line = (yield line)
|
||||||
|
|
||||||
|
@CoroutineInputTransformer.wrap
|
||||||
|
def classic_prompt():
|
||||||
|
"""Strip the >>>/... prompts of the Python interactive shell."""
|
||||||
|
# FIXME: non-capturing version (?:...) usable?
|
||||||
|
prompt_re = re.compile(r'^(>>>|\.\.\.)( |$)')
|
||||||
|
initial_re = re.compile(r'^>>>( |$)')
|
||||||
|
# Any %magic/!system is IPython syntax, so we needn't look for >>> prompts
|
||||||
|
turnoff_re = re.compile(r'^[%!]')
|
||||||
|
return _strip_prompts(prompt_re, initial_re, turnoff_re)
|
||||||
|
|
||||||
|
@CoroutineInputTransformer.wrap
|
||||||
|
def ipy_prompt():
|
||||||
|
"""Strip IPython's In [1]:/...: prompts."""
|
||||||
|
# FIXME: non-capturing version (?:...) usable?
|
||||||
|
prompt_re = re.compile(r'^(In \[\d+\]: |\s*\.{3,}: ?)')
|
||||||
|
# Disable prompt stripping inside cell magics
|
||||||
|
turnoff_re = re.compile(r'^%%')
|
||||||
|
return _strip_prompts(prompt_re, turnoff_re=turnoff_re)
|
||||||
|
|
||||||
|
|
||||||
|
@CoroutineInputTransformer.wrap
|
||||||
|
def leading_indent():
|
||||||
|
"""Remove leading indentation.
|
||||||
|
|
||||||
|
If the first line starts with a spaces or tabs, the same whitespace will be
|
||||||
|
removed from each following line until it is reset.
|
||||||
|
"""
|
||||||
|
space_re = re.compile(r'^[ \t]+')
|
||||||
|
line = ''
|
||||||
|
while True:
|
||||||
|
line = (yield line)
|
||||||
|
|
||||||
|
if line is None:
|
||||||
|
continue
|
||||||
|
|
||||||
|
m = space_re.match(line)
|
||||||
|
if m:
|
||||||
|
space = m.group(0)
|
||||||
|
while line is not None:
|
||||||
|
if line.startswith(space):
|
||||||
|
line = line[len(space):]
|
||||||
|
line = (yield line)
|
||||||
|
else:
|
||||||
|
# No leading spaces - wait for reset
|
||||||
|
while line is not None:
|
||||||
|
line = (yield line)
|
||||||
|
|
||||||
|
|
||||||
|
_assign_pat = \
|
||||||
|
r'''(?P<lhs>(\s*)
|
||||||
|
([\w\.]+) # Initial identifier
|
||||||
|
(\s*,\s*
|
||||||
|
\*?[\w\.]+)* # Further identifiers for unpacking
|
||||||
|
\s*?,? # Trailing comma
|
||||||
|
)
|
||||||
|
\s*=\s*
|
||||||
|
'''
|
||||||
|
|
||||||
|
assign_system_re = re.compile(r'{}!\s*(?P<cmd>.*)'.format(_assign_pat), re.VERBOSE)
|
||||||
|
assign_system_template = '%s = get_ipython().getoutput(%r)'
|
||||||
|
@StatelessInputTransformer.wrap
|
||||||
|
def assign_from_system(line):
|
||||||
|
"""Transform assignment from system commands (e.g. files = !ls)"""
|
||||||
|
m = assign_system_re.match(line)
|
||||||
|
if m is None:
|
||||||
|
return line
|
||||||
|
|
||||||
|
return assign_system_template % m.group('lhs', 'cmd')
|
||||||
|
|
||||||
|
assign_magic_re = re.compile(r'{}%\s*(?P<cmd>.*)'.format(_assign_pat), re.VERBOSE)
|
||||||
|
assign_magic_template = '%s = get_ipython().run_line_magic(%r, %r)'
|
||||||
|
@StatelessInputTransformer.wrap
|
||||||
|
def assign_from_magic(line):
|
||||||
|
"""Transform assignment from magic commands (e.g. a = %who_ls)"""
|
||||||
|
m = assign_magic_re.match(line)
|
||||||
|
if m is None:
|
||||||
|
return line
|
||||||
|
#Prepare arguments for get_ipython().run_line_magic(magic_name, magic_args)
|
||||||
|
m_lhs, m_cmd = m.group('lhs', 'cmd')
|
||||||
|
t_magic_name, _, t_magic_arg_s = m_cmd.partition(' ')
|
||||||
|
t_magic_name = t_magic_name.lstrip(ESC_MAGIC)
|
||||||
|
return assign_magic_template % (m_lhs, t_magic_name, t_magic_arg_s)
|
827
Лаб1/aimenv/Lib/site-packages/IPython/core/inputtransformer2.py
Normal file
827
Лаб1/aimenv/Lib/site-packages/IPython/core/inputtransformer2.py
Normal file
@ -0,0 +1,827 @@
|
|||||||
|
"""Input transformer machinery to support IPython special syntax.
|
||||||
|
|
||||||
|
This includes the machinery to recognise and transform ``%magic`` commands,
|
||||||
|
``!system`` commands, ``help?`` querying, prompt stripping, and so forth.
|
||||||
|
|
||||||
|
Added: IPython 7.0. Replaces inputsplitter and inputtransformer which were
|
||||||
|
deprecated in 7.0.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Copyright (c) IPython Development Team.
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
|
||||||
|
import ast
|
||||||
|
from codeop import CommandCompiler, Compile
|
||||||
|
import re
|
||||||
|
import sys
|
||||||
|
import tokenize
|
||||||
|
from typing import List, Tuple, Optional, Any
|
||||||
|
import warnings
|
||||||
|
|
||||||
|
from IPython.utils import tokenutil
|
||||||
|
|
||||||
|
_indent_re = re.compile(r'^[ \t]+')
|
||||||
|
|
||||||
|
def leading_empty_lines(lines):
|
||||||
|
"""Remove leading empty lines
|
||||||
|
|
||||||
|
If the leading lines are empty or contain only whitespace, they will be
|
||||||
|
removed.
|
||||||
|
"""
|
||||||
|
if not lines:
|
||||||
|
return lines
|
||||||
|
for i, line in enumerate(lines):
|
||||||
|
if line and not line.isspace():
|
||||||
|
return lines[i:]
|
||||||
|
return lines
|
||||||
|
|
||||||
|
def leading_indent(lines):
|
||||||
|
"""Remove leading indentation.
|
||||||
|
|
||||||
|
If the first line starts with a spaces or tabs, the same whitespace will be
|
||||||
|
removed from each following line in the cell.
|
||||||
|
"""
|
||||||
|
if not lines:
|
||||||
|
return lines
|
||||||
|
m = _indent_re.match(lines[0])
|
||||||
|
if not m:
|
||||||
|
return lines
|
||||||
|
space = m.group(0)
|
||||||
|
n = len(space)
|
||||||
|
return [l[n:] if l.startswith(space) else l
|
||||||
|
for l in lines]
|
||||||
|
|
||||||
|
class PromptStripper:
|
||||||
|
"""Remove matching input prompts from a block of input.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
prompt_re : regular expression
|
||||||
|
A regular expression matching any input prompt (including continuation,
|
||||||
|
e.g. ``...``)
|
||||||
|
initial_re : regular expression, optional
|
||||||
|
A regular expression matching only the initial prompt, but not continuation.
|
||||||
|
If no initial expression is given, prompt_re will be used everywhere.
|
||||||
|
Used mainly for plain Python prompts (``>>>``), where the continuation prompt
|
||||||
|
``...`` is a valid Python expression in Python 3, so shouldn't be stripped.
|
||||||
|
|
||||||
|
Notes
|
||||||
|
-----
|
||||||
|
|
||||||
|
If initial_re and prompt_re differ,
|
||||||
|
only initial_re will be tested against the first line.
|
||||||
|
If any prompt is found on the first two lines,
|
||||||
|
prompts will be stripped from the rest of the block.
|
||||||
|
"""
|
||||||
|
def __init__(self, prompt_re, initial_re=None):
|
||||||
|
self.prompt_re = prompt_re
|
||||||
|
self.initial_re = initial_re or prompt_re
|
||||||
|
|
||||||
|
def _strip(self, lines):
|
||||||
|
return [self.prompt_re.sub('', l, count=1) for l in lines]
|
||||||
|
|
||||||
|
def __call__(self, lines):
|
||||||
|
if not lines:
|
||||||
|
return lines
|
||||||
|
if self.initial_re.match(lines[0]) or \
|
||||||
|
(len(lines) > 1 and self.prompt_re.match(lines[1])):
|
||||||
|
return self._strip(lines)
|
||||||
|
return lines
|
||||||
|
|
||||||
|
classic_prompt = PromptStripper(
|
||||||
|
prompt_re=re.compile(r'^(>>>|\.\.\.)( |$)'),
|
||||||
|
initial_re=re.compile(r'^>>>( |$)')
|
||||||
|
)
|
||||||
|
|
||||||
|
ipython_prompt = PromptStripper(
|
||||||
|
re.compile(
|
||||||
|
r"""
|
||||||
|
^( # Match from the beginning of a line, either:
|
||||||
|
|
||||||
|
# 1. First-line prompt:
|
||||||
|
((\[nav\]|\[ins\])?\ )? # Vi editing mode prompt, if it's there
|
||||||
|
In\ # The 'In' of the prompt, with a space
|
||||||
|
\[\d+\]: # Command index, as displayed in the prompt
|
||||||
|
\ # With a mandatory trailing space
|
||||||
|
|
||||||
|
| # ... or ...
|
||||||
|
|
||||||
|
# 2. The three dots of the multiline prompt
|
||||||
|
\s* # All leading whitespace characters
|
||||||
|
\.{3,}: # The three (or more) dots
|
||||||
|
\ ? # With an optional trailing space
|
||||||
|
|
||||||
|
)
|
||||||
|
""",
|
||||||
|
re.VERBOSE,
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
def cell_magic(lines):
|
||||||
|
if not lines or not lines[0].startswith('%%'):
|
||||||
|
return lines
|
||||||
|
if re.match(r'%%\w+\?', lines[0]):
|
||||||
|
# This case will be handled by help_end
|
||||||
|
return lines
|
||||||
|
magic_name, _, first_line = lines[0][2:].rstrip().partition(' ')
|
||||||
|
body = ''.join(lines[1:])
|
||||||
|
return ['get_ipython().run_cell_magic(%r, %r, %r)\n'
|
||||||
|
% (magic_name, first_line, body)]
|
||||||
|
|
||||||
|
|
||||||
|
def _find_assign_op(token_line) -> Optional[int]:
|
||||||
|
"""Get the index of the first assignment in the line ('=' not inside brackets)
|
||||||
|
|
||||||
|
Note: We don't try to support multiple special assignment (a = b = %foo)
|
||||||
|
"""
|
||||||
|
paren_level = 0
|
||||||
|
for i, ti in enumerate(token_line):
|
||||||
|
s = ti.string
|
||||||
|
if s == '=' and paren_level == 0:
|
||||||
|
return i
|
||||||
|
if s in {'(','[','{'}:
|
||||||
|
paren_level += 1
|
||||||
|
elif s in {')', ']', '}'}:
|
||||||
|
if paren_level > 0:
|
||||||
|
paren_level -= 1
|
||||||
|
return None
|
||||||
|
|
||||||
|
def find_end_of_continued_line(lines, start_line: int):
|
||||||
|
"""Find the last line of a line explicitly extended using backslashes.
|
||||||
|
|
||||||
|
Uses 0-indexed line numbers.
|
||||||
|
"""
|
||||||
|
end_line = start_line
|
||||||
|
while lines[end_line].endswith('\\\n'):
|
||||||
|
end_line += 1
|
||||||
|
if end_line >= len(lines):
|
||||||
|
break
|
||||||
|
return end_line
|
||||||
|
|
||||||
|
def assemble_continued_line(lines, start: Tuple[int, int], end_line: int):
|
||||||
|
r"""Assemble a single line from multiple continued line pieces
|
||||||
|
|
||||||
|
Continued lines are lines ending in ``\``, and the line following the last
|
||||||
|
``\`` in the block.
|
||||||
|
|
||||||
|
For example, this code continues over multiple lines::
|
||||||
|
|
||||||
|
if (assign_ix is not None) \
|
||||||
|
and (len(line) >= assign_ix + 2) \
|
||||||
|
and (line[assign_ix+1].string == '%') \
|
||||||
|
and (line[assign_ix+2].type == tokenize.NAME):
|
||||||
|
|
||||||
|
This statement contains four continued line pieces.
|
||||||
|
Assembling these pieces into a single line would give::
|
||||||
|
|
||||||
|
if (assign_ix is not None) and (len(line) >= assign_ix + 2) and (line[...
|
||||||
|
|
||||||
|
This uses 0-indexed line numbers. *start* is (lineno, colno).
|
||||||
|
|
||||||
|
Used to allow ``%magic`` and ``!system`` commands to be continued over
|
||||||
|
multiple lines.
|
||||||
|
"""
|
||||||
|
parts = [lines[start[0]][start[1]:]] + lines[start[0]+1:end_line+1]
|
||||||
|
return ' '.join([p.rstrip()[:-1] for p in parts[:-1]] # Strip backslash+newline
|
||||||
|
+ [parts[-1].rstrip()]) # Strip newline from last line
|
||||||
|
|
||||||
|
class TokenTransformBase:
|
||||||
|
"""Base class for transformations which examine tokens.
|
||||||
|
|
||||||
|
Special syntax should not be transformed when it occurs inside strings or
|
||||||
|
comments. This is hard to reliably avoid with regexes. The solution is to
|
||||||
|
tokenise the code as Python, and recognise the special syntax in the tokens.
|
||||||
|
|
||||||
|
IPython's special syntax is not valid Python syntax, so tokenising may go
|
||||||
|
wrong after the special syntax starts. These classes therefore find and
|
||||||
|
transform *one* instance of special syntax at a time into regular Python
|
||||||
|
syntax. After each transformation, tokens are regenerated to find the next
|
||||||
|
piece of special syntax.
|
||||||
|
|
||||||
|
Subclasses need to implement one class method (find)
|
||||||
|
and one regular method (transform).
|
||||||
|
|
||||||
|
The priority attribute can select which transformation to apply if multiple
|
||||||
|
transformers match in the same place. Lower numbers have higher priority.
|
||||||
|
This allows "%magic?" to be turned into a help call rather than a magic call.
|
||||||
|
"""
|
||||||
|
# Lower numbers -> higher priority (for matches in the same location)
|
||||||
|
priority = 10
|
||||||
|
|
||||||
|
def sortby(self):
|
||||||
|
return self.start_line, self.start_col, self.priority
|
||||||
|
|
||||||
|
def __init__(self, start):
|
||||||
|
self.start_line = start[0] - 1 # Shift from 1-index to 0-index
|
||||||
|
self.start_col = start[1]
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
def find(cls, tokens_by_line):
|
||||||
|
"""Find one instance of special syntax in the provided tokens.
|
||||||
|
|
||||||
|
Tokens are grouped into logical lines for convenience,
|
||||||
|
so it is easy to e.g. look at the first token of each line.
|
||||||
|
*tokens_by_line* is a list of lists of tokenize.TokenInfo objects.
|
||||||
|
|
||||||
|
This should return an instance of its class, pointing to the start
|
||||||
|
position it has found, or None if it found no match.
|
||||||
|
"""
|
||||||
|
raise NotImplementedError
|
||||||
|
|
||||||
|
def transform(self, lines: List[str]):
|
||||||
|
"""Transform one instance of special syntax found by ``find()``
|
||||||
|
|
||||||
|
Takes a list of strings representing physical lines,
|
||||||
|
returns a similar list of transformed lines.
|
||||||
|
"""
|
||||||
|
raise NotImplementedError
|
||||||
|
|
||||||
|
class MagicAssign(TokenTransformBase):
|
||||||
|
"""Transformer for assignments from magics (a = %foo)"""
|
||||||
|
@classmethod
|
||||||
|
def find(cls, tokens_by_line):
|
||||||
|
"""Find the first magic assignment (a = %foo) in the cell.
|
||||||
|
"""
|
||||||
|
for line in tokens_by_line:
|
||||||
|
assign_ix = _find_assign_op(line)
|
||||||
|
if (assign_ix is not None) \
|
||||||
|
and (len(line) >= assign_ix + 2) \
|
||||||
|
and (line[assign_ix+1].string == '%') \
|
||||||
|
and (line[assign_ix+2].type == tokenize.NAME):
|
||||||
|
return cls(line[assign_ix+1].start)
|
||||||
|
|
||||||
|
def transform(self, lines: List[str]):
|
||||||
|
"""Transform a magic assignment found by the ``find()`` classmethod.
|
||||||
|
"""
|
||||||
|
start_line, start_col = self.start_line, self.start_col
|
||||||
|
lhs = lines[start_line][:start_col]
|
||||||
|
end_line = find_end_of_continued_line(lines, start_line)
|
||||||
|
rhs = assemble_continued_line(lines, (start_line, start_col), end_line)
|
||||||
|
assert rhs.startswith('%'), rhs
|
||||||
|
magic_name, _, args = rhs[1:].partition(' ')
|
||||||
|
|
||||||
|
lines_before = lines[:start_line]
|
||||||
|
call = "get_ipython().run_line_magic({!r}, {!r})".format(magic_name, args)
|
||||||
|
new_line = lhs + call + '\n'
|
||||||
|
lines_after = lines[end_line+1:]
|
||||||
|
|
||||||
|
return lines_before + [new_line] + lines_after
|
||||||
|
|
||||||
|
|
||||||
|
class SystemAssign(TokenTransformBase):
|
||||||
|
"""Transformer for assignments from system commands (a = !foo)"""
|
||||||
|
@classmethod
|
||||||
|
def find_pre_312(cls, tokens_by_line):
|
||||||
|
for line in tokens_by_line:
|
||||||
|
assign_ix = _find_assign_op(line)
|
||||||
|
if (assign_ix is not None) \
|
||||||
|
and not line[assign_ix].line.strip().startswith('=') \
|
||||||
|
and (len(line) >= assign_ix + 2) \
|
||||||
|
and (line[assign_ix + 1].type == tokenize.ERRORTOKEN):
|
||||||
|
ix = assign_ix + 1
|
||||||
|
|
||||||
|
while ix < len(line) and line[ix].type == tokenize.ERRORTOKEN:
|
||||||
|
if line[ix].string == '!':
|
||||||
|
return cls(line[ix].start)
|
||||||
|
elif not line[ix].string.isspace():
|
||||||
|
break
|
||||||
|
ix += 1
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
def find_post_312(cls, tokens_by_line):
|
||||||
|
for line in tokens_by_line:
|
||||||
|
assign_ix = _find_assign_op(line)
|
||||||
|
if (
|
||||||
|
(assign_ix is not None)
|
||||||
|
and not line[assign_ix].line.strip().startswith("=")
|
||||||
|
and (len(line) >= assign_ix + 2)
|
||||||
|
and (line[assign_ix + 1].type == tokenize.OP)
|
||||||
|
and (line[assign_ix + 1].string == "!")
|
||||||
|
):
|
||||||
|
return cls(line[assign_ix + 1].start)
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
def find(cls, tokens_by_line):
|
||||||
|
"""Find the first system assignment (a = !foo) in the cell."""
|
||||||
|
if sys.version_info < (3, 12):
|
||||||
|
return cls.find_pre_312(tokens_by_line)
|
||||||
|
return cls.find_post_312(tokens_by_line)
|
||||||
|
|
||||||
|
def transform(self, lines: List[str]):
|
||||||
|
"""Transform a system assignment found by the ``find()`` classmethod.
|
||||||
|
"""
|
||||||
|
start_line, start_col = self.start_line, self.start_col
|
||||||
|
|
||||||
|
lhs = lines[start_line][:start_col]
|
||||||
|
end_line = find_end_of_continued_line(lines, start_line)
|
||||||
|
rhs = assemble_continued_line(lines, (start_line, start_col), end_line)
|
||||||
|
assert rhs.startswith('!'), rhs
|
||||||
|
cmd = rhs[1:]
|
||||||
|
|
||||||
|
lines_before = lines[:start_line]
|
||||||
|
call = "get_ipython().getoutput({!r})".format(cmd)
|
||||||
|
new_line = lhs + call + '\n'
|
||||||
|
lines_after = lines[end_line + 1:]
|
||||||
|
|
||||||
|
return lines_before + [new_line] + lines_after
|
||||||
|
|
||||||
|
# The escape sequences that define the syntax transformations IPython will
|
||||||
|
# apply to user input. These can NOT be just changed here: many regular
|
||||||
|
# expressions and other parts of the code may use their hardcoded values, and
|
||||||
|
# for all intents and purposes they constitute the 'IPython syntax', so they
|
||||||
|
# should be considered fixed.
|
||||||
|
|
||||||
|
ESC_SHELL = '!' # Send line to underlying system shell
|
||||||
|
ESC_SH_CAP = '!!' # Send line to system shell and capture output
|
||||||
|
ESC_HELP = '?' # Find information about object
|
||||||
|
ESC_HELP2 = '??' # Find extra-detailed information about object
|
||||||
|
ESC_MAGIC = '%' # Call magic function
|
||||||
|
ESC_MAGIC2 = '%%' # Call cell-magic function
|
||||||
|
ESC_QUOTE = ',' # Split args on whitespace, quote each as string and call
|
||||||
|
ESC_QUOTE2 = ';' # Quote all args as a single string, call
|
||||||
|
ESC_PAREN = '/' # Call first argument with rest of line as arguments
|
||||||
|
|
||||||
|
ESCAPE_SINGLES = {'!', '?', '%', ',', ';', '/'}
|
||||||
|
ESCAPE_DOUBLES = {'!!', '??'} # %% (cell magic) is handled separately
|
||||||
|
|
||||||
|
def _make_help_call(target, esc):
|
||||||
|
"""Prepares a pinfo(2)/psearch call from a target name and the escape
|
||||||
|
(i.e. ? or ??)"""
|
||||||
|
method = 'pinfo2' if esc == '??' \
|
||||||
|
else 'psearch' if '*' in target \
|
||||||
|
else 'pinfo'
|
||||||
|
arg = " ".join([method, target])
|
||||||
|
#Prepare arguments for get_ipython().run_line_magic(magic_name, magic_args)
|
||||||
|
t_magic_name, _, t_magic_arg_s = arg.partition(' ')
|
||||||
|
t_magic_name = t_magic_name.lstrip(ESC_MAGIC)
|
||||||
|
return "get_ipython().run_line_magic(%r, %r)" % (t_magic_name, t_magic_arg_s)
|
||||||
|
|
||||||
|
|
||||||
|
def _tr_help(content):
|
||||||
|
"""Translate lines escaped with: ?
|
||||||
|
|
||||||
|
A naked help line should fire the intro help screen (shell.show_usage())
|
||||||
|
"""
|
||||||
|
if not content:
|
||||||
|
return 'get_ipython().show_usage()'
|
||||||
|
|
||||||
|
return _make_help_call(content, '?')
|
||||||
|
|
||||||
|
def _tr_help2(content):
|
||||||
|
"""Translate lines escaped with: ??
|
||||||
|
|
||||||
|
A naked help line should fire the intro help screen (shell.show_usage())
|
||||||
|
"""
|
||||||
|
if not content:
|
||||||
|
return 'get_ipython().show_usage()'
|
||||||
|
|
||||||
|
return _make_help_call(content, '??')
|
||||||
|
|
||||||
|
def _tr_magic(content):
|
||||||
|
"Translate lines escaped with a percent sign: %"
|
||||||
|
name, _, args = content.partition(' ')
|
||||||
|
return 'get_ipython().run_line_magic(%r, %r)' % (name, args)
|
||||||
|
|
||||||
|
def _tr_quote(content):
|
||||||
|
"Translate lines escaped with a comma: ,"
|
||||||
|
name, _, args = content.partition(' ')
|
||||||
|
return '%s("%s")' % (name, '", "'.join(args.split()) )
|
||||||
|
|
||||||
|
def _tr_quote2(content):
|
||||||
|
"Translate lines escaped with a semicolon: ;"
|
||||||
|
name, _, args = content.partition(' ')
|
||||||
|
return '%s("%s")' % (name, args)
|
||||||
|
|
||||||
|
def _tr_paren(content):
|
||||||
|
"Translate lines escaped with a slash: /"
|
||||||
|
name, _, args = content.partition(' ')
|
||||||
|
return '%s(%s)' % (name, ", ".join(args.split()))
|
||||||
|
|
||||||
|
tr = { ESC_SHELL : 'get_ipython().system({!r})'.format,
|
||||||
|
ESC_SH_CAP : 'get_ipython().getoutput({!r})'.format,
|
||||||
|
ESC_HELP : _tr_help,
|
||||||
|
ESC_HELP2 : _tr_help2,
|
||||||
|
ESC_MAGIC : _tr_magic,
|
||||||
|
ESC_QUOTE : _tr_quote,
|
||||||
|
ESC_QUOTE2 : _tr_quote2,
|
||||||
|
ESC_PAREN : _tr_paren }
|
||||||
|
|
||||||
|
class EscapedCommand(TokenTransformBase):
|
||||||
|
"""Transformer for escaped commands like %foo, !foo, or /foo"""
|
||||||
|
@classmethod
|
||||||
|
def find(cls, tokens_by_line):
|
||||||
|
"""Find the first escaped command (%foo, !foo, etc.) in the cell.
|
||||||
|
"""
|
||||||
|
for line in tokens_by_line:
|
||||||
|
if not line:
|
||||||
|
continue
|
||||||
|
ix = 0
|
||||||
|
ll = len(line)
|
||||||
|
while ll > ix and line[ix].type in {tokenize.INDENT, tokenize.DEDENT}:
|
||||||
|
ix += 1
|
||||||
|
if ix >= ll:
|
||||||
|
continue
|
||||||
|
if line[ix].string in ESCAPE_SINGLES:
|
||||||
|
return cls(line[ix].start)
|
||||||
|
|
||||||
|
def transform(self, lines):
|
||||||
|
"""Transform an escaped line found by the ``find()`` classmethod.
|
||||||
|
"""
|
||||||
|
start_line, start_col = self.start_line, self.start_col
|
||||||
|
|
||||||
|
indent = lines[start_line][:start_col]
|
||||||
|
end_line = find_end_of_continued_line(lines, start_line)
|
||||||
|
line = assemble_continued_line(lines, (start_line, start_col), end_line)
|
||||||
|
|
||||||
|
if len(line) > 1 and line[:2] in ESCAPE_DOUBLES:
|
||||||
|
escape, content = line[:2], line[2:]
|
||||||
|
else:
|
||||||
|
escape, content = line[:1], line[1:]
|
||||||
|
|
||||||
|
if escape in tr:
|
||||||
|
call = tr[escape](content)
|
||||||
|
else:
|
||||||
|
call = ''
|
||||||
|
|
||||||
|
lines_before = lines[:start_line]
|
||||||
|
new_line = indent + call + '\n'
|
||||||
|
lines_after = lines[end_line + 1:]
|
||||||
|
|
||||||
|
return lines_before + [new_line] + lines_after
|
||||||
|
|
||||||
|
|
||||||
|
_help_end_re = re.compile(
|
||||||
|
r"""(%{0,2}
|
||||||
|
(?!\d)[\w*]+ # Variable name
|
||||||
|
(\.(?!\d)[\w*]+|\[-?[0-9]+\])* # .etc.etc or [0], we only support literal integers.
|
||||||
|
)
|
||||||
|
(\?\??)$ # ? or ??
|
||||||
|
""",
|
||||||
|
re.VERBOSE,
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
class HelpEnd(TokenTransformBase):
|
||||||
|
"""Transformer for help syntax: obj? and obj??"""
|
||||||
|
# This needs to be higher priority (lower number) than EscapedCommand so
|
||||||
|
# that inspecting magics (%foo?) works.
|
||||||
|
priority = 5
|
||||||
|
|
||||||
|
def __init__(self, start, q_locn):
|
||||||
|
super().__init__(start)
|
||||||
|
self.q_line = q_locn[0] - 1 # Shift from 1-indexed to 0-indexed
|
||||||
|
self.q_col = q_locn[1]
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
def find(cls, tokens_by_line):
|
||||||
|
"""Find the first help command (foo?) in the cell.
|
||||||
|
"""
|
||||||
|
for line in tokens_by_line:
|
||||||
|
# Last token is NEWLINE; look at last but one
|
||||||
|
if len(line) > 2 and line[-2].string == '?':
|
||||||
|
# Find the first token that's not INDENT/DEDENT
|
||||||
|
ix = 0
|
||||||
|
while line[ix].type in {tokenize.INDENT, tokenize.DEDENT}:
|
||||||
|
ix += 1
|
||||||
|
return cls(line[ix].start, line[-2].start)
|
||||||
|
|
||||||
|
def transform(self, lines):
|
||||||
|
"""Transform a help command found by the ``find()`` classmethod.
|
||||||
|
"""
|
||||||
|
|
||||||
|
piece = "".join(lines[self.start_line : self.q_line + 1])
|
||||||
|
indent, content = piece[: self.start_col], piece[self.start_col :]
|
||||||
|
lines_before = lines[: self.start_line]
|
||||||
|
lines_after = lines[self.q_line + 1 :]
|
||||||
|
|
||||||
|
m = _help_end_re.search(content)
|
||||||
|
if not m:
|
||||||
|
raise SyntaxError(content)
|
||||||
|
assert m is not None, content
|
||||||
|
target = m.group(1)
|
||||||
|
esc = m.group(3)
|
||||||
|
|
||||||
|
|
||||||
|
call = _make_help_call(target, esc)
|
||||||
|
new_line = indent + call + '\n'
|
||||||
|
|
||||||
|
return lines_before + [new_line] + lines_after
|
||||||
|
|
||||||
|
def make_tokens_by_line(lines:List[str]):
|
||||||
|
"""Tokenize a series of lines and group tokens by line.
|
||||||
|
|
||||||
|
The tokens for a multiline Python string or expression are grouped as one
|
||||||
|
line. All lines except the last lines should keep their line ending ('\\n',
|
||||||
|
'\\r\\n') for this to properly work. Use `.splitlines(keeplineending=True)`
|
||||||
|
for example when passing block of text to this function.
|
||||||
|
|
||||||
|
"""
|
||||||
|
# NL tokens are used inside multiline expressions, but also after blank
|
||||||
|
# lines or comments. This is intentional - see https://bugs.python.org/issue17061
|
||||||
|
# We want to group the former case together but split the latter, so we
|
||||||
|
# track parentheses level, similar to the internals of tokenize.
|
||||||
|
|
||||||
|
# reexported from token on 3.7+
|
||||||
|
NEWLINE, NL = tokenize.NEWLINE, tokenize.NL # type: ignore
|
||||||
|
tokens_by_line: List[List[Any]] = [[]]
|
||||||
|
if len(lines) > 1 and not lines[0].endswith(("\n", "\r", "\r\n", "\x0b", "\x0c")):
|
||||||
|
warnings.warn(
|
||||||
|
"`make_tokens_by_line` received a list of lines which do not have lineending markers ('\\n', '\\r', '\\r\\n', '\\x0b', '\\x0c'), behavior will be unspecified",
|
||||||
|
stacklevel=2,
|
||||||
|
)
|
||||||
|
parenlev = 0
|
||||||
|
try:
|
||||||
|
for token in tokenutil.generate_tokens_catch_errors(
|
||||||
|
iter(lines).__next__, extra_errors_to_catch=["expected EOF"]
|
||||||
|
):
|
||||||
|
tokens_by_line[-1].append(token)
|
||||||
|
if (token.type == NEWLINE) \
|
||||||
|
or ((token.type == NL) and (parenlev <= 0)):
|
||||||
|
tokens_by_line.append([])
|
||||||
|
elif token.string in {'(', '[', '{'}:
|
||||||
|
parenlev += 1
|
||||||
|
elif token.string in {')', ']', '}'}:
|
||||||
|
if parenlev > 0:
|
||||||
|
parenlev -= 1
|
||||||
|
except tokenize.TokenError:
|
||||||
|
# Input ended in a multiline string or expression. That's OK for us.
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
if not tokens_by_line[-1]:
|
||||||
|
tokens_by_line.pop()
|
||||||
|
|
||||||
|
|
||||||
|
return tokens_by_line
|
||||||
|
|
||||||
|
|
||||||
|
def has_sunken_brackets(tokens: List[tokenize.TokenInfo]):
|
||||||
|
"""Check if the depth of brackets in the list of tokens drops below 0"""
|
||||||
|
parenlev = 0
|
||||||
|
for token in tokens:
|
||||||
|
if token.string in {"(", "[", "{"}:
|
||||||
|
parenlev += 1
|
||||||
|
elif token.string in {")", "]", "}"}:
|
||||||
|
parenlev -= 1
|
||||||
|
if parenlev < 0:
|
||||||
|
return True
|
||||||
|
return False
|
||||||
|
|
||||||
|
|
||||||
|
def show_linewise_tokens(s: str):
|
||||||
|
"""For investigation and debugging"""
|
||||||
|
warnings.warn(
|
||||||
|
"show_linewise_tokens is deprecated since IPython 8.6",
|
||||||
|
DeprecationWarning,
|
||||||
|
stacklevel=2,
|
||||||
|
)
|
||||||
|
if not s.endswith("\n"):
|
||||||
|
s += "\n"
|
||||||
|
lines = s.splitlines(keepends=True)
|
||||||
|
for line in make_tokens_by_line(lines):
|
||||||
|
print("Line -------")
|
||||||
|
for tokinfo in line:
|
||||||
|
print(" ", tokinfo)
|
||||||
|
|
||||||
|
# Arbitrary limit to prevent getting stuck in infinite loops
|
||||||
|
TRANSFORM_LOOP_LIMIT = 500
|
||||||
|
|
||||||
|
class TransformerManager:
|
||||||
|
"""Applies various transformations to a cell or code block.
|
||||||
|
|
||||||
|
The key methods for external use are ``transform_cell()``
|
||||||
|
and ``check_complete()``.
|
||||||
|
"""
|
||||||
|
def __init__(self):
|
||||||
|
self.cleanup_transforms = [
|
||||||
|
leading_empty_lines,
|
||||||
|
leading_indent,
|
||||||
|
classic_prompt,
|
||||||
|
ipython_prompt,
|
||||||
|
]
|
||||||
|
self.line_transforms = [
|
||||||
|
cell_magic,
|
||||||
|
]
|
||||||
|
self.token_transformers = [
|
||||||
|
MagicAssign,
|
||||||
|
SystemAssign,
|
||||||
|
EscapedCommand,
|
||||||
|
HelpEnd,
|
||||||
|
]
|
||||||
|
|
||||||
|
def do_one_token_transform(self, lines):
|
||||||
|
"""Find and run the transform earliest in the code.
|
||||||
|
|
||||||
|
Returns (changed, lines).
|
||||||
|
|
||||||
|
This method is called repeatedly until changed is False, indicating
|
||||||
|
that all available transformations are complete.
|
||||||
|
|
||||||
|
The tokens following IPython special syntax might not be valid, so
|
||||||
|
the transformed code is retokenised every time to identify the next
|
||||||
|
piece of special syntax. Hopefully long code cells are mostly valid
|
||||||
|
Python, not using lots of IPython special syntax, so this shouldn't be
|
||||||
|
a performance issue.
|
||||||
|
"""
|
||||||
|
tokens_by_line = make_tokens_by_line(lines)
|
||||||
|
candidates = []
|
||||||
|
for transformer_cls in self.token_transformers:
|
||||||
|
transformer = transformer_cls.find(tokens_by_line)
|
||||||
|
if transformer:
|
||||||
|
candidates.append(transformer)
|
||||||
|
|
||||||
|
if not candidates:
|
||||||
|
# Nothing to transform
|
||||||
|
return False, lines
|
||||||
|
ordered_transformers = sorted(candidates, key=TokenTransformBase.sortby)
|
||||||
|
for transformer in ordered_transformers:
|
||||||
|
try:
|
||||||
|
return True, transformer.transform(lines)
|
||||||
|
except SyntaxError:
|
||||||
|
pass
|
||||||
|
return False, lines
|
||||||
|
|
||||||
|
def do_token_transforms(self, lines):
|
||||||
|
for _ in range(TRANSFORM_LOOP_LIMIT):
|
||||||
|
changed, lines = self.do_one_token_transform(lines)
|
||||||
|
if not changed:
|
||||||
|
return lines
|
||||||
|
|
||||||
|
raise RuntimeError("Input transformation still changing after "
|
||||||
|
"%d iterations. Aborting." % TRANSFORM_LOOP_LIMIT)
|
||||||
|
|
||||||
|
def transform_cell(self, cell: str) -> str:
|
||||||
|
"""Transforms a cell of input code"""
|
||||||
|
if not cell.endswith('\n'):
|
||||||
|
cell += '\n' # Ensure the cell has a trailing newline
|
||||||
|
lines = cell.splitlines(keepends=True)
|
||||||
|
for transform in self.cleanup_transforms + self.line_transforms:
|
||||||
|
lines = transform(lines)
|
||||||
|
|
||||||
|
lines = self.do_token_transforms(lines)
|
||||||
|
return ''.join(lines)
|
||||||
|
|
||||||
|
def check_complete(self, cell: str):
|
||||||
|
"""Return whether a block of code is ready to execute, or should be continued
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
cell : string
|
||||||
|
Python input code, which can be multiline.
|
||||||
|
|
||||||
|
Returns
|
||||||
|
-------
|
||||||
|
status : str
|
||||||
|
One of 'complete', 'incomplete', or 'invalid' if source is not a
|
||||||
|
prefix of valid code.
|
||||||
|
indent_spaces : int or None
|
||||||
|
The number of spaces by which to indent the next line of code. If
|
||||||
|
status is not 'incomplete', this is None.
|
||||||
|
"""
|
||||||
|
# Remember if the lines ends in a new line.
|
||||||
|
ends_with_newline = False
|
||||||
|
for character in reversed(cell):
|
||||||
|
if character == '\n':
|
||||||
|
ends_with_newline = True
|
||||||
|
break
|
||||||
|
elif character.strip():
|
||||||
|
break
|
||||||
|
else:
|
||||||
|
continue
|
||||||
|
|
||||||
|
if not ends_with_newline:
|
||||||
|
# Append an newline for consistent tokenization
|
||||||
|
# See https://bugs.python.org/issue33899
|
||||||
|
cell += '\n'
|
||||||
|
|
||||||
|
lines = cell.splitlines(keepends=True)
|
||||||
|
|
||||||
|
if not lines:
|
||||||
|
return 'complete', None
|
||||||
|
|
||||||
|
for line in reversed(lines):
|
||||||
|
if not line.strip():
|
||||||
|
continue
|
||||||
|
elif line.strip("\n").endswith("\\"):
|
||||||
|
return "incomplete", find_last_indent(lines)
|
||||||
|
else:
|
||||||
|
break
|
||||||
|
|
||||||
|
try:
|
||||||
|
for transform in self.cleanup_transforms:
|
||||||
|
if not getattr(transform, 'has_side_effects', False):
|
||||||
|
lines = transform(lines)
|
||||||
|
except SyntaxError:
|
||||||
|
return 'invalid', None
|
||||||
|
|
||||||
|
if lines[0].startswith('%%'):
|
||||||
|
# Special case for cell magics - completion marked by blank line
|
||||||
|
if lines[-1].strip():
|
||||||
|
return 'incomplete', find_last_indent(lines)
|
||||||
|
else:
|
||||||
|
return 'complete', None
|
||||||
|
|
||||||
|
try:
|
||||||
|
for transform in self.line_transforms:
|
||||||
|
if not getattr(transform, 'has_side_effects', False):
|
||||||
|
lines = transform(lines)
|
||||||
|
lines = self.do_token_transforms(lines)
|
||||||
|
except SyntaxError:
|
||||||
|
return 'invalid', None
|
||||||
|
|
||||||
|
tokens_by_line = make_tokens_by_line(lines)
|
||||||
|
|
||||||
|
# Bail if we got one line and there are more closing parentheses than
|
||||||
|
# the opening ones
|
||||||
|
if (
|
||||||
|
len(lines) == 1
|
||||||
|
and tokens_by_line
|
||||||
|
and has_sunken_brackets(tokens_by_line[0])
|
||||||
|
):
|
||||||
|
return "invalid", None
|
||||||
|
|
||||||
|
if not tokens_by_line:
|
||||||
|
return 'incomplete', find_last_indent(lines)
|
||||||
|
|
||||||
|
if (
|
||||||
|
tokens_by_line[-1][-1].type != tokenize.ENDMARKER
|
||||||
|
and tokens_by_line[-1][-1].type != tokenize.ERRORTOKEN
|
||||||
|
):
|
||||||
|
# We're in a multiline string or expression
|
||||||
|
return 'incomplete', find_last_indent(lines)
|
||||||
|
|
||||||
|
newline_types = {tokenize.NEWLINE, tokenize.COMMENT, tokenize.ENDMARKER} # type: ignore
|
||||||
|
|
||||||
|
# Pop the last line which only contains DEDENTs and ENDMARKER
|
||||||
|
last_token_line = None
|
||||||
|
if {t.type for t in tokens_by_line[-1]} in [
|
||||||
|
{tokenize.DEDENT, tokenize.ENDMARKER},
|
||||||
|
{tokenize.ENDMARKER}
|
||||||
|
] and len(tokens_by_line) > 1:
|
||||||
|
last_token_line = tokens_by_line.pop()
|
||||||
|
|
||||||
|
while tokens_by_line[-1] and tokens_by_line[-1][-1].type in newline_types:
|
||||||
|
tokens_by_line[-1].pop()
|
||||||
|
|
||||||
|
if not tokens_by_line[-1]:
|
||||||
|
return 'incomplete', find_last_indent(lines)
|
||||||
|
|
||||||
|
if tokens_by_line[-1][-1].string == ':':
|
||||||
|
# The last line starts a block (e.g. 'if foo:')
|
||||||
|
ix = 0
|
||||||
|
while tokens_by_line[-1][ix].type in {tokenize.INDENT, tokenize.DEDENT}:
|
||||||
|
ix += 1
|
||||||
|
|
||||||
|
indent = tokens_by_line[-1][ix].start[1]
|
||||||
|
return 'incomplete', indent + 4
|
||||||
|
|
||||||
|
if tokens_by_line[-1][0].line.endswith('\\'):
|
||||||
|
return 'incomplete', None
|
||||||
|
|
||||||
|
# At this point, our checks think the code is complete (or invalid).
|
||||||
|
# We'll use codeop.compile_command to check this with the real parser
|
||||||
|
try:
|
||||||
|
with warnings.catch_warnings():
|
||||||
|
warnings.simplefilter('error', SyntaxWarning)
|
||||||
|
res = compile_command(''.join(lines), symbol='exec')
|
||||||
|
except (SyntaxError, OverflowError, ValueError, TypeError,
|
||||||
|
MemoryError, SyntaxWarning):
|
||||||
|
return 'invalid', None
|
||||||
|
else:
|
||||||
|
if res is None:
|
||||||
|
return 'incomplete', find_last_indent(lines)
|
||||||
|
|
||||||
|
if last_token_line and last_token_line[0].type == tokenize.DEDENT:
|
||||||
|
if ends_with_newline:
|
||||||
|
return 'complete', None
|
||||||
|
return 'incomplete', find_last_indent(lines)
|
||||||
|
|
||||||
|
# If there's a blank line at the end, assume we're ready to execute
|
||||||
|
if not lines[-1].strip():
|
||||||
|
return 'complete', None
|
||||||
|
|
||||||
|
return 'complete', None
|
||||||
|
|
||||||
|
|
||||||
|
def find_last_indent(lines):
|
||||||
|
m = _indent_re.match(lines[-1])
|
||||||
|
if not m:
|
||||||
|
return 0
|
||||||
|
return len(m.group(0).replace('\t', ' '*4))
|
||||||
|
|
||||||
|
|
||||||
|
class MaybeAsyncCompile(Compile):
|
||||||
|
def __init__(self, extra_flags=0):
|
||||||
|
super().__init__()
|
||||||
|
self.flags |= extra_flags
|
||||||
|
|
||||||
|
|
||||||
|
class MaybeAsyncCommandCompiler(CommandCompiler):
|
||||||
|
def __init__(self, extra_flags=0):
|
||||||
|
self.compiler = MaybeAsyncCompile(extra_flags=extra_flags)
|
||||||
|
|
||||||
|
|
||||||
|
_extra_flags = ast.PyCF_ALLOW_TOP_LEVEL_AWAIT
|
||||||
|
|
||||||
|
compile_command = MaybeAsyncCommandCompiler(extra_flags=_extra_flags)
|
3987
Лаб1/aimenv/Lib/site-packages/IPython/core/interactiveshell.py
Normal file
3987
Лаб1/aimenv/Lib/site-packages/IPython/core/interactiveshell.py
Normal file
File diff suppressed because it is too large
Load Diff
1301
Лаб1/aimenv/Lib/site-packages/IPython/core/latex_symbols.py
Normal file
1301
Лаб1/aimenv/Lib/site-packages/IPython/core/latex_symbols.py
Normal file
File diff suppressed because it is too large
Load Diff
231
Лаб1/aimenv/Lib/site-packages/IPython/core/logger.py
Normal file
231
Лаб1/aimenv/Lib/site-packages/IPython/core/logger.py
Normal file
@ -0,0 +1,231 @@
|
|||||||
|
"""Logger class for IPython's logging facilities.
|
||||||
|
"""
|
||||||
|
|
||||||
|
#*****************************************************************************
|
||||||
|
# Copyright (C) 2001 Janko Hauser <jhauser@zscout.de> and
|
||||||
|
# Copyright (C) 2001-2006 Fernando Perez <fperez@colorado.edu>
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#*****************************************************************************
|
||||||
|
|
||||||
|
#****************************************************************************
|
||||||
|
# Modules and globals
|
||||||
|
|
||||||
|
# Python standard modules
|
||||||
|
import glob
|
||||||
|
import io
|
||||||
|
import logging
|
||||||
|
import os
|
||||||
|
import time
|
||||||
|
|
||||||
|
|
||||||
|
# prevent jedi/parso's debug messages pipe into interactiveshell
|
||||||
|
logging.getLogger("parso").setLevel(logging.WARNING)
|
||||||
|
|
||||||
|
#****************************************************************************
|
||||||
|
# FIXME: This class isn't a mixin anymore, but it still needs attributes from
|
||||||
|
# ipython and does input cache management. Finish cleanup later...
|
||||||
|
|
||||||
|
class Logger(object):
|
||||||
|
"""A Logfile class with different policies for file creation"""
|
||||||
|
|
||||||
|
def __init__(self, home_dir, logfname='Logger.log', loghead=u'',
|
||||||
|
logmode='over'):
|
||||||
|
|
||||||
|
# this is the full ipython instance, we need some attributes from it
|
||||||
|
# which won't exist until later. What a mess, clean up later...
|
||||||
|
self.home_dir = home_dir
|
||||||
|
|
||||||
|
self.logfname = logfname
|
||||||
|
self.loghead = loghead
|
||||||
|
self.logmode = logmode
|
||||||
|
self.logfile = None
|
||||||
|
|
||||||
|
# Whether to log raw or processed input
|
||||||
|
self.log_raw_input = False
|
||||||
|
|
||||||
|
# whether to also log output
|
||||||
|
self.log_output = False
|
||||||
|
|
||||||
|
# whether to put timestamps before each log entry
|
||||||
|
self.timestamp = False
|
||||||
|
|
||||||
|
# activity control flags
|
||||||
|
self.log_active = False
|
||||||
|
|
||||||
|
# logmode is a validated property
|
||||||
|
def _set_mode(self,mode):
|
||||||
|
if mode not in ['append','backup','global','over','rotate']:
|
||||||
|
raise ValueError('invalid log mode %s given' % mode)
|
||||||
|
self._logmode = mode
|
||||||
|
|
||||||
|
def _get_mode(self):
|
||||||
|
return self._logmode
|
||||||
|
|
||||||
|
logmode = property(_get_mode,_set_mode)
|
||||||
|
|
||||||
|
def logstart(self, logfname=None, loghead=None, logmode=None,
|
||||||
|
log_output=False, timestamp=False, log_raw_input=False):
|
||||||
|
"""Generate a new log-file with a default header.
|
||||||
|
|
||||||
|
Raises RuntimeError if the log has already been started"""
|
||||||
|
|
||||||
|
if self.logfile is not None:
|
||||||
|
raise RuntimeError('Log file is already active: %s' %
|
||||||
|
self.logfname)
|
||||||
|
|
||||||
|
# The parameters can override constructor defaults
|
||||||
|
if logfname is not None: self.logfname = logfname
|
||||||
|
if loghead is not None: self.loghead = loghead
|
||||||
|
if logmode is not None: self.logmode = logmode
|
||||||
|
|
||||||
|
# Parameters not part of the constructor
|
||||||
|
self.timestamp = timestamp
|
||||||
|
self.log_output = log_output
|
||||||
|
self.log_raw_input = log_raw_input
|
||||||
|
|
||||||
|
# init depending on the log mode requested
|
||||||
|
isfile = os.path.isfile
|
||||||
|
logmode = self.logmode
|
||||||
|
|
||||||
|
if logmode == 'append':
|
||||||
|
self.logfile = io.open(self.logfname, 'a', encoding='utf-8')
|
||||||
|
|
||||||
|
elif logmode == 'backup':
|
||||||
|
if isfile(self.logfname):
|
||||||
|
backup_logname = self.logfname+'~'
|
||||||
|
# Manually remove any old backup, since os.rename may fail
|
||||||
|
# under Windows.
|
||||||
|
if isfile(backup_logname):
|
||||||
|
os.remove(backup_logname)
|
||||||
|
os.rename(self.logfname,backup_logname)
|
||||||
|
self.logfile = io.open(self.logfname, 'w', encoding='utf-8')
|
||||||
|
|
||||||
|
elif logmode == 'global':
|
||||||
|
self.logfname = os.path.join(self.home_dir,self.logfname)
|
||||||
|
self.logfile = io.open(self.logfname, 'a', encoding='utf-8')
|
||||||
|
|
||||||
|
elif logmode == 'over':
|
||||||
|
if isfile(self.logfname):
|
||||||
|
os.remove(self.logfname)
|
||||||
|
self.logfile = io.open(self.logfname,'w', encoding='utf-8')
|
||||||
|
|
||||||
|
elif logmode == 'rotate':
|
||||||
|
if isfile(self.logfname):
|
||||||
|
if isfile(self.logfname+'.001~'):
|
||||||
|
old = glob.glob(self.logfname+'.*~')
|
||||||
|
old.sort()
|
||||||
|
old.reverse()
|
||||||
|
for f in old:
|
||||||
|
root, ext = os.path.splitext(f)
|
||||||
|
num = int(ext[1:-1])+1
|
||||||
|
os.rename(f, root+'.'+repr(num).zfill(3)+'~')
|
||||||
|
os.rename(self.logfname, self.logfname+'.001~')
|
||||||
|
self.logfile = io.open(self.logfname, 'w', encoding='utf-8')
|
||||||
|
|
||||||
|
if logmode != 'append':
|
||||||
|
self.logfile.write(self.loghead)
|
||||||
|
|
||||||
|
self.logfile.flush()
|
||||||
|
self.log_active = True
|
||||||
|
|
||||||
|
def switch_log(self,val):
|
||||||
|
"""Switch logging on/off. val should be ONLY a boolean."""
|
||||||
|
|
||||||
|
if val not in [False,True,0,1]:
|
||||||
|
raise ValueError('Call switch_log ONLY with a boolean argument, '
|
||||||
|
'not with: %s' % val)
|
||||||
|
|
||||||
|
label = {0:'OFF',1:'ON',False:'OFF',True:'ON'}
|
||||||
|
|
||||||
|
if self.logfile is None:
|
||||||
|
print("""
|
||||||
|
Logging hasn't been started yet (use logstart for that).
|
||||||
|
|
||||||
|
%logon/%logoff are for temporarily starting and stopping logging for a logfile
|
||||||
|
which already exists. But you must first start the logging process with
|
||||||
|
%logstart (optionally giving a logfile name).""")
|
||||||
|
|
||||||
|
else:
|
||||||
|
if self.log_active == val:
|
||||||
|
print('Logging is already',label[val])
|
||||||
|
else:
|
||||||
|
print('Switching logging',label[val])
|
||||||
|
self.log_active = not self.log_active
|
||||||
|
self.log_active_out = self.log_active
|
||||||
|
|
||||||
|
def logstate(self):
|
||||||
|
"""Print a status message about the logger."""
|
||||||
|
if self.logfile is None:
|
||||||
|
print('Logging has not been activated.')
|
||||||
|
else:
|
||||||
|
state = self.log_active and 'active' or 'temporarily suspended'
|
||||||
|
print('Filename :', self.logfname)
|
||||||
|
print('Mode :', self.logmode)
|
||||||
|
print('Output logging :', self.log_output)
|
||||||
|
print('Raw input log :', self.log_raw_input)
|
||||||
|
print('Timestamping :', self.timestamp)
|
||||||
|
print('State :', state)
|
||||||
|
|
||||||
|
def log(self, line_mod, line_ori):
|
||||||
|
"""Write the sources to a log.
|
||||||
|
|
||||||
|
Inputs:
|
||||||
|
|
||||||
|
- line_mod: possibly modified input, such as the transformations made
|
||||||
|
by input prefilters or input handlers of various kinds. This should
|
||||||
|
always be valid Python.
|
||||||
|
|
||||||
|
- line_ori: unmodified input line from the user. This is not
|
||||||
|
necessarily valid Python.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Write the log line, but decide which one according to the
|
||||||
|
# log_raw_input flag, set when the log is started.
|
||||||
|
if self.log_raw_input:
|
||||||
|
self.log_write(line_ori)
|
||||||
|
else:
|
||||||
|
self.log_write(line_mod)
|
||||||
|
|
||||||
|
def log_write(self, data, kind='input'):
|
||||||
|
"""Write data to the log file, if active"""
|
||||||
|
|
||||||
|
# print('data: %r' % data) # dbg
|
||||||
|
if self.log_active and data:
|
||||||
|
write = self.logfile.write
|
||||||
|
if kind=='input':
|
||||||
|
if self.timestamp:
|
||||||
|
write(time.strftime('# %a, %d %b %Y %H:%M:%S\n', time.localtime()))
|
||||||
|
write(data)
|
||||||
|
elif kind=='output' and self.log_output:
|
||||||
|
odata = u'\n'.join([u'#[Out]# %s' % s
|
||||||
|
for s in data.splitlines()])
|
||||||
|
write(u'%s\n' % odata)
|
||||||
|
try:
|
||||||
|
self.logfile.flush()
|
||||||
|
except OSError:
|
||||||
|
print("Failed to flush the log file.")
|
||||||
|
print(
|
||||||
|
f"Please check that {self.logfname} exists and have the right permissions."
|
||||||
|
)
|
||||||
|
print(
|
||||||
|
"Also consider turning off the log with `%logstop` to avoid this warning."
|
||||||
|
)
|
||||||
|
|
||||||
|
def logstop(self):
|
||||||
|
"""Fully stop logging and close log file.
|
||||||
|
|
||||||
|
In order to start logging again, a new logstart() call needs to be
|
||||||
|
made, possibly (though not necessarily) with a new filename, mode and
|
||||||
|
other options."""
|
||||||
|
|
||||||
|
if self.logfile is not None:
|
||||||
|
self.logfile.close()
|
||||||
|
self.logfile = None
|
||||||
|
else:
|
||||||
|
print("Logging hadn't been started.")
|
||||||
|
self.log_active = False
|
||||||
|
|
||||||
|
# For backwards compatibility, in case anyone was using this.
|
||||||
|
close_log = logstop
|
53
Лаб1/aimenv/Lib/site-packages/IPython/core/macro.py
Normal file
53
Лаб1/aimenv/Lib/site-packages/IPython/core/macro.py
Normal file
@ -0,0 +1,53 @@
|
|||||||
|
"""Support for interactive macros in IPython"""
|
||||||
|
|
||||||
|
#*****************************************************************************
|
||||||
|
# Copyright (C) 2001-2005 Fernando Perez <fperez@colorado.edu>
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#*****************************************************************************
|
||||||
|
|
||||||
|
import re
|
||||||
|
|
||||||
|
from IPython.utils.encoding import DEFAULT_ENCODING
|
||||||
|
|
||||||
|
coding_declaration = re.compile(r"#\s*coding[:=]\s*([-\w.]+)")
|
||||||
|
|
||||||
|
class Macro(object):
|
||||||
|
"""Simple class to store the value of macros as strings.
|
||||||
|
|
||||||
|
Macro is just a callable that executes a string of IPython
|
||||||
|
input when called.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __init__(self,code):
|
||||||
|
"""store the macro value, as a single string which can be executed"""
|
||||||
|
lines = []
|
||||||
|
enc = None
|
||||||
|
for line in code.splitlines():
|
||||||
|
coding_match = coding_declaration.match(line)
|
||||||
|
if coding_match:
|
||||||
|
enc = coding_match.group(1)
|
||||||
|
else:
|
||||||
|
lines.append(line)
|
||||||
|
code = "\n".join(lines)
|
||||||
|
if isinstance(code, bytes):
|
||||||
|
code = code.decode(enc or DEFAULT_ENCODING)
|
||||||
|
self.value = code + '\n'
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return self.value
|
||||||
|
|
||||||
|
def __repr__(self):
|
||||||
|
return 'IPython.macro.Macro(%s)' % repr(self.value)
|
||||||
|
|
||||||
|
def __getstate__(self):
|
||||||
|
""" needed for safe pickling via %store """
|
||||||
|
return {'value': self.value}
|
||||||
|
|
||||||
|
def __add__(self, other):
|
||||||
|
if isinstance(other, Macro):
|
||||||
|
return Macro(self.value + other.value)
|
||||||
|
elif isinstance(other, str):
|
||||||
|
return Macro(self.value + other)
|
||||||
|
raise TypeError
|
759
Лаб1/aimenv/Lib/site-packages/IPython/core/magic.py
Normal file
759
Лаб1/aimenv/Lib/site-packages/IPython/core/magic.py
Normal file
@ -0,0 +1,759 @@
|
|||||||
|
# encoding: utf-8
|
||||||
|
"""Magic functions for InteractiveShell.
|
||||||
|
"""
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2001 Janko Hauser <jhauser@zscout.de> and
|
||||||
|
# Copyright (C) 2001 Fernando Perez <fperez@colorado.edu>
|
||||||
|
# Copyright (C) 2008 The IPython Development Team
|
||||||
|
|
||||||
|
# Distributed under the terms of the BSD License. The full license is in
|
||||||
|
# the file COPYING, distributed as part of this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
import os
|
||||||
|
import re
|
||||||
|
import sys
|
||||||
|
from getopt import getopt, GetoptError
|
||||||
|
|
||||||
|
from traitlets.config.configurable import Configurable
|
||||||
|
from . import oinspect
|
||||||
|
from .error import UsageError
|
||||||
|
from .inputtransformer2 import ESC_MAGIC, ESC_MAGIC2
|
||||||
|
from ..utils.ipstruct import Struct
|
||||||
|
from ..utils.process import arg_split
|
||||||
|
from ..utils.text import dedent
|
||||||
|
from traitlets import Bool, Dict, Instance, observe
|
||||||
|
from logging import error
|
||||||
|
|
||||||
|
import typing as t
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Globals
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
# A dict we'll use for each class that has magics, used as temporary storage to
|
||||||
|
# pass information between the @line/cell_magic method decorators and the
|
||||||
|
# @magics_class class decorator, because the method decorators have no
|
||||||
|
# access to the class when they run. See for more details:
|
||||||
|
# http://stackoverflow.com/questions/2366713/can-a-python-decorator-of-an-instance-method-access-the-class
|
||||||
|
|
||||||
|
magics: t.Dict = dict(line={}, cell={})
|
||||||
|
|
||||||
|
magic_kinds = ('line', 'cell')
|
||||||
|
magic_spec = ('line', 'cell', 'line_cell')
|
||||||
|
magic_escapes = dict(line=ESC_MAGIC, cell=ESC_MAGIC2)
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Utility classes and functions
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class Bunch: pass
|
||||||
|
|
||||||
|
|
||||||
|
def on_off(tag):
|
||||||
|
"""Return an ON/OFF string for a 1/0 input. Simple utility function."""
|
||||||
|
return ['OFF','ON'][tag]
|
||||||
|
|
||||||
|
|
||||||
|
def compress_dhist(dh):
|
||||||
|
"""Compress a directory history into a new one with at most 20 entries.
|
||||||
|
|
||||||
|
Return a new list made from the first and last 10 elements of dhist after
|
||||||
|
removal of duplicates.
|
||||||
|
"""
|
||||||
|
head, tail = dh[:-10], dh[-10:]
|
||||||
|
|
||||||
|
newhead = []
|
||||||
|
done = set()
|
||||||
|
for h in head:
|
||||||
|
if h in done:
|
||||||
|
continue
|
||||||
|
newhead.append(h)
|
||||||
|
done.add(h)
|
||||||
|
|
||||||
|
return newhead + tail
|
||||||
|
|
||||||
|
|
||||||
|
def needs_local_scope(func):
|
||||||
|
"""Decorator to mark magic functions which need to local scope to run."""
|
||||||
|
func.needs_local_scope = True
|
||||||
|
return func
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Class and method decorators for registering magics
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
def magics_class(cls):
|
||||||
|
"""Class decorator for all subclasses of the main Magics class.
|
||||||
|
|
||||||
|
Any class that subclasses Magics *must* also apply this decorator, to
|
||||||
|
ensure that all the methods that have been decorated as line/cell magics
|
||||||
|
get correctly registered in the class instance. This is necessary because
|
||||||
|
when method decorators run, the class does not exist yet, so they
|
||||||
|
temporarily store their information into a module global. Application of
|
||||||
|
this class decorator copies that global data to the class instance and
|
||||||
|
clears the global.
|
||||||
|
|
||||||
|
Obviously, this mechanism is not thread-safe, which means that the
|
||||||
|
*creation* of subclasses of Magic should only be done in a single-thread
|
||||||
|
context. Instantiation of the classes has no restrictions. Given that
|
||||||
|
these classes are typically created at IPython startup time and before user
|
||||||
|
application code becomes active, in practice this should not pose any
|
||||||
|
problems.
|
||||||
|
"""
|
||||||
|
cls.registered = True
|
||||||
|
cls.magics = dict(line = magics['line'],
|
||||||
|
cell = magics['cell'])
|
||||||
|
magics['line'] = {}
|
||||||
|
magics['cell'] = {}
|
||||||
|
return cls
|
||||||
|
|
||||||
|
|
||||||
|
def record_magic(dct, magic_kind, magic_name, func):
|
||||||
|
"""Utility function to store a function as a magic of a specific kind.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
dct : dict
|
||||||
|
A dictionary with 'line' and 'cell' subdicts.
|
||||||
|
magic_kind : str
|
||||||
|
Kind of magic to be stored.
|
||||||
|
magic_name : str
|
||||||
|
Key to store the magic as.
|
||||||
|
func : function
|
||||||
|
Callable object to store.
|
||||||
|
"""
|
||||||
|
if magic_kind == 'line_cell':
|
||||||
|
dct['line'][magic_name] = dct['cell'][magic_name] = func
|
||||||
|
else:
|
||||||
|
dct[magic_kind][magic_name] = func
|
||||||
|
|
||||||
|
|
||||||
|
def validate_type(magic_kind):
|
||||||
|
"""Ensure that the given magic_kind is valid.
|
||||||
|
|
||||||
|
Check that the given magic_kind is one of the accepted spec types (stored
|
||||||
|
in the global `magic_spec`), raise ValueError otherwise.
|
||||||
|
"""
|
||||||
|
if magic_kind not in magic_spec:
|
||||||
|
raise ValueError('magic_kind must be one of %s, %s given' %
|
||||||
|
magic_kinds, magic_kind)
|
||||||
|
|
||||||
|
|
||||||
|
# The docstrings for the decorator below will be fairly similar for the two
|
||||||
|
# types (method and function), so we generate them here once and reuse the
|
||||||
|
# templates below.
|
||||||
|
_docstring_template = \
|
||||||
|
"""Decorate the given {0} as {1} magic.
|
||||||
|
|
||||||
|
The decorator can be used with or without arguments, as follows.
|
||||||
|
|
||||||
|
i) without arguments: it will create a {1} magic named as the {0} being
|
||||||
|
decorated::
|
||||||
|
|
||||||
|
@deco
|
||||||
|
def foo(...)
|
||||||
|
|
||||||
|
will create a {1} magic named `foo`.
|
||||||
|
|
||||||
|
ii) with one string argument: which will be used as the actual name of the
|
||||||
|
resulting magic::
|
||||||
|
|
||||||
|
@deco('bar')
|
||||||
|
def foo(...)
|
||||||
|
|
||||||
|
will create a {1} magic named `bar`.
|
||||||
|
|
||||||
|
To register a class magic use ``Interactiveshell.register_magic(class or instance)``.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# These two are decorator factories. While they are conceptually very similar,
|
||||||
|
# there are enough differences in the details that it's simpler to have them
|
||||||
|
# written as completely standalone functions rather than trying to share code
|
||||||
|
# and make a single one with convoluted logic.
|
||||||
|
|
||||||
|
def _method_magic_marker(magic_kind):
|
||||||
|
"""Decorator factory for methods in Magics subclasses.
|
||||||
|
"""
|
||||||
|
|
||||||
|
validate_type(magic_kind)
|
||||||
|
|
||||||
|
# This is a closure to capture the magic_kind. We could also use a class,
|
||||||
|
# but it's overkill for just that one bit of state.
|
||||||
|
def magic_deco(arg):
|
||||||
|
if callable(arg):
|
||||||
|
# "Naked" decorator call (just @foo, no args)
|
||||||
|
func = arg
|
||||||
|
name = func.__name__
|
||||||
|
retval = arg
|
||||||
|
record_magic(magics, magic_kind, name, name)
|
||||||
|
elif isinstance(arg, str):
|
||||||
|
# Decorator called with arguments (@foo('bar'))
|
||||||
|
name = arg
|
||||||
|
def mark(func, *a, **kw):
|
||||||
|
record_magic(magics, magic_kind, name, func.__name__)
|
||||||
|
return func
|
||||||
|
retval = mark
|
||||||
|
else:
|
||||||
|
raise TypeError("Decorator can only be called with "
|
||||||
|
"string or function")
|
||||||
|
return retval
|
||||||
|
|
||||||
|
# Ensure the resulting decorator has a usable docstring
|
||||||
|
magic_deco.__doc__ = _docstring_template.format('method', magic_kind)
|
||||||
|
return magic_deco
|
||||||
|
|
||||||
|
|
||||||
|
def _function_magic_marker(magic_kind):
|
||||||
|
"""Decorator factory for standalone functions.
|
||||||
|
"""
|
||||||
|
validate_type(magic_kind)
|
||||||
|
|
||||||
|
# This is a closure to capture the magic_kind. We could also use a class,
|
||||||
|
# but it's overkill for just that one bit of state.
|
||||||
|
def magic_deco(arg):
|
||||||
|
# Find get_ipython() in the caller's namespace
|
||||||
|
caller = sys._getframe(1)
|
||||||
|
for ns in ['f_locals', 'f_globals', 'f_builtins']:
|
||||||
|
get_ipython = getattr(caller, ns).get('get_ipython')
|
||||||
|
if get_ipython is not None:
|
||||||
|
break
|
||||||
|
else:
|
||||||
|
raise NameError('Decorator can only run in context where '
|
||||||
|
'`get_ipython` exists')
|
||||||
|
|
||||||
|
ip = get_ipython()
|
||||||
|
|
||||||
|
if callable(arg):
|
||||||
|
# "Naked" decorator call (just @foo, no args)
|
||||||
|
func = arg
|
||||||
|
name = func.__name__
|
||||||
|
ip.register_magic_function(func, magic_kind, name)
|
||||||
|
retval = arg
|
||||||
|
elif isinstance(arg, str):
|
||||||
|
# Decorator called with arguments (@foo('bar'))
|
||||||
|
name = arg
|
||||||
|
def mark(func, *a, **kw):
|
||||||
|
ip.register_magic_function(func, magic_kind, name)
|
||||||
|
return func
|
||||||
|
retval = mark
|
||||||
|
else:
|
||||||
|
raise TypeError("Decorator can only be called with "
|
||||||
|
"string or function")
|
||||||
|
return retval
|
||||||
|
|
||||||
|
# Ensure the resulting decorator has a usable docstring
|
||||||
|
ds = _docstring_template.format('function', magic_kind)
|
||||||
|
|
||||||
|
ds += dedent("""
|
||||||
|
Note: this decorator can only be used in a context where IPython is already
|
||||||
|
active, so that the `get_ipython()` call succeeds. You can therefore use
|
||||||
|
it in your startup files loaded after IPython initializes, but *not* in the
|
||||||
|
IPython configuration file itself, which is executed before IPython is
|
||||||
|
fully up and running. Any file located in the `startup` subdirectory of
|
||||||
|
your configuration profile will be OK in this sense.
|
||||||
|
""")
|
||||||
|
|
||||||
|
magic_deco.__doc__ = ds
|
||||||
|
return magic_deco
|
||||||
|
|
||||||
|
|
||||||
|
MAGIC_NO_VAR_EXPAND_ATTR = "_ipython_magic_no_var_expand"
|
||||||
|
MAGIC_OUTPUT_CAN_BE_SILENCED = "_ipython_magic_output_can_be_silenced"
|
||||||
|
|
||||||
|
|
||||||
|
def no_var_expand(magic_func):
|
||||||
|
"""Mark a magic function as not needing variable expansion
|
||||||
|
|
||||||
|
By default, IPython interprets `{a}` or `$a` in the line passed to magics
|
||||||
|
as variables that should be interpolated from the interactive namespace
|
||||||
|
before passing the line to the magic function.
|
||||||
|
This is not always desirable, e.g. when the magic executes Python code
|
||||||
|
(%timeit, %time, etc.).
|
||||||
|
Decorate magics with `@no_var_expand` to opt-out of variable expansion.
|
||||||
|
|
||||||
|
.. versionadded:: 7.3
|
||||||
|
"""
|
||||||
|
setattr(magic_func, MAGIC_NO_VAR_EXPAND_ATTR, True)
|
||||||
|
return magic_func
|
||||||
|
|
||||||
|
|
||||||
|
def output_can_be_silenced(magic_func):
|
||||||
|
"""Mark a magic function so its output may be silenced.
|
||||||
|
|
||||||
|
The output is silenced if the Python code used as a parameter of
|
||||||
|
the magic ends in a semicolon, not counting a Python comment that can
|
||||||
|
follow it.
|
||||||
|
"""
|
||||||
|
setattr(magic_func, MAGIC_OUTPUT_CAN_BE_SILENCED, True)
|
||||||
|
return magic_func
|
||||||
|
|
||||||
|
# Create the actual decorators for public use
|
||||||
|
|
||||||
|
# These three are used to decorate methods in class definitions
|
||||||
|
line_magic = _method_magic_marker('line')
|
||||||
|
cell_magic = _method_magic_marker('cell')
|
||||||
|
line_cell_magic = _method_magic_marker('line_cell')
|
||||||
|
|
||||||
|
# These three decorate standalone functions and perform the decoration
|
||||||
|
# immediately. They can only run where get_ipython() works
|
||||||
|
register_line_magic = _function_magic_marker('line')
|
||||||
|
register_cell_magic = _function_magic_marker('cell')
|
||||||
|
register_line_cell_magic = _function_magic_marker('line_cell')
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Core Magic classes
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
class MagicsManager(Configurable):
|
||||||
|
"""Object that handles all magic-related functionality for IPython.
|
||||||
|
"""
|
||||||
|
# Non-configurable class attributes
|
||||||
|
|
||||||
|
# A two-level dict, first keyed by magic type, then by magic function, and
|
||||||
|
# holding the actual callable object as value. This is the dict used for
|
||||||
|
# magic function dispatch
|
||||||
|
magics = Dict()
|
||||||
|
lazy_magics = Dict(
|
||||||
|
help="""
|
||||||
|
Mapping from magic names to modules to load.
|
||||||
|
|
||||||
|
This can be used in IPython/IPykernel configuration to declare lazy magics
|
||||||
|
that will only be imported/registered on first use.
|
||||||
|
|
||||||
|
For example::
|
||||||
|
|
||||||
|
c.MagicsManager.lazy_magics = {
|
||||||
|
"my_magic": "slow.to.import",
|
||||||
|
"my_other_magic": "also.slow",
|
||||||
|
}
|
||||||
|
|
||||||
|
On first invocation of `%my_magic`, `%%my_magic`, `%%my_other_magic` or
|
||||||
|
`%%my_other_magic`, the corresponding module will be loaded as an ipython
|
||||||
|
extensions as if you had previously done `%load_ext ipython`.
|
||||||
|
|
||||||
|
Magics names should be without percent(s) as magics can be both cell
|
||||||
|
and line magics.
|
||||||
|
|
||||||
|
Lazy loading happen relatively late in execution process, and
|
||||||
|
complex extensions that manipulate Python/IPython internal state or global state
|
||||||
|
might not support lazy loading.
|
||||||
|
"""
|
||||||
|
).tag(
|
||||||
|
config=True,
|
||||||
|
)
|
||||||
|
|
||||||
|
# A registry of the original objects that we've been given holding magics.
|
||||||
|
registry = Dict()
|
||||||
|
|
||||||
|
shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', allow_none=True)
|
||||||
|
|
||||||
|
auto_magic = Bool(True, help=
|
||||||
|
"Automatically call line magics without requiring explicit % prefix"
|
||||||
|
).tag(config=True)
|
||||||
|
@observe('auto_magic')
|
||||||
|
def _auto_magic_changed(self, change):
|
||||||
|
self.shell.automagic = change['new']
|
||||||
|
|
||||||
|
_auto_status = [
|
||||||
|
'Automagic is OFF, % prefix IS needed for line magics.',
|
||||||
|
'Automagic is ON, % prefix IS NOT needed for line magics.']
|
||||||
|
|
||||||
|
user_magics = Instance('IPython.core.magics.UserMagics', allow_none=True)
|
||||||
|
|
||||||
|
def __init__(self, shell=None, config=None, user_magics=None, **traits):
|
||||||
|
|
||||||
|
super(MagicsManager, self).__init__(shell=shell, config=config,
|
||||||
|
user_magics=user_magics, **traits)
|
||||||
|
self.magics = dict(line={}, cell={})
|
||||||
|
# Let's add the user_magics to the registry for uniformity, so *all*
|
||||||
|
# registered magic containers can be found there.
|
||||||
|
self.registry[user_magics.__class__.__name__] = user_magics
|
||||||
|
|
||||||
|
def auto_status(self):
|
||||||
|
"""Return descriptive string with automagic status."""
|
||||||
|
return self._auto_status[self.auto_magic]
|
||||||
|
|
||||||
|
def lsmagic(self):
|
||||||
|
"""Return a dict of currently available magic functions.
|
||||||
|
|
||||||
|
The return dict has the keys 'line' and 'cell', corresponding to the
|
||||||
|
two types of magics we support. Each value is a list of names.
|
||||||
|
"""
|
||||||
|
return self.magics
|
||||||
|
|
||||||
|
def lsmagic_docs(self, brief=False, missing=''):
|
||||||
|
"""Return dict of documentation of magic functions.
|
||||||
|
|
||||||
|
The return dict has the keys 'line' and 'cell', corresponding to the
|
||||||
|
two types of magics we support. Each value is a dict keyed by magic
|
||||||
|
name whose value is the function docstring. If a docstring is
|
||||||
|
unavailable, the value of `missing` is used instead.
|
||||||
|
|
||||||
|
If brief is True, only the first line of each docstring will be returned.
|
||||||
|
"""
|
||||||
|
docs = {}
|
||||||
|
for m_type in self.magics:
|
||||||
|
m_docs = {}
|
||||||
|
for m_name, m_func in self.magics[m_type].items():
|
||||||
|
if m_func.__doc__:
|
||||||
|
if brief:
|
||||||
|
m_docs[m_name] = m_func.__doc__.split('\n', 1)[0]
|
||||||
|
else:
|
||||||
|
m_docs[m_name] = m_func.__doc__.rstrip()
|
||||||
|
else:
|
||||||
|
m_docs[m_name] = missing
|
||||||
|
docs[m_type] = m_docs
|
||||||
|
return docs
|
||||||
|
|
||||||
|
def register_lazy(self, name: str, fully_qualified_name: str):
|
||||||
|
"""
|
||||||
|
Lazily register a magic via an extension.
|
||||||
|
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
name : str
|
||||||
|
Name of the magic you wish to register.
|
||||||
|
fully_qualified_name :
|
||||||
|
Fully qualified name of the module/submodule that should be loaded
|
||||||
|
as an extensions when the magic is first called.
|
||||||
|
It is assumed that loading this extensions will register the given
|
||||||
|
magic.
|
||||||
|
"""
|
||||||
|
|
||||||
|
self.lazy_magics[name] = fully_qualified_name
|
||||||
|
|
||||||
|
def register(self, *magic_objects):
|
||||||
|
"""Register one or more instances of Magics.
|
||||||
|
|
||||||
|
Take one or more classes or instances of classes that subclass the main
|
||||||
|
`core.Magic` class, and register them with IPython to use the magic
|
||||||
|
functions they provide. The registration process will then ensure that
|
||||||
|
any methods that have decorated to provide line and/or cell magics will
|
||||||
|
be recognized with the `%x`/`%%x` syntax as a line/cell magic
|
||||||
|
respectively.
|
||||||
|
|
||||||
|
If classes are given, they will be instantiated with the default
|
||||||
|
constructor. If your classes need a custom constructor, you should
|
||||||
|
instanitate them first and pass the instance.
|
||||||
|
|
||||||
|
The provided arguments can be an arbitrary mix of classes and instances.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
*magic_objects : one or more classes or instances
|
||||||
|
"""
|
||||||
|
# Start by validating them to ensure they have all had their magic
|
||||||
|
# methods registered at the instance level
|
||||||
|
for m in magic_objects:
|
||||||
|
if not m.registered:
|
||||||
|
raise ValueError("Class of magics %r was constructed without "
|
||||||
|
"the @register_magics class decorator")
|
||||||
|
if isinstance(m, type):
|
||||||
|
# If we're given an uninstantiated class
|
||||||
|
m = m(shell=self.shell)
|
||||||
|
|
||||||
|
# Now that we have an instance, we can register it and update the
|
||||||
|
# table of callables
|
||||||
|
self.registry[m.__class__.__name__] = m
|
||||||
|
for mtype in magic_kinds:
|
||||||
|
self.magics[mtype].update(m.magics[mtype])
|
||||||
|
|
||||||
|
def register_function(self, func, magic_kind='line', magic_name=None):
|
||||||
|
"""Expose a standalone function as magic function for IPython.
|
||||||
|
|
||||||
|
This will create an IPython magic (line, cell or both) from a
|
||||||
|
standalone function. The functions should have the following
|
||||||
|
signatures:
|
||||||
|
|
||||||
|
* For line magics: `def f(line)`
|
||||||
|
* For cell magics: `def f(line, cell)`
|
||||||
|
* For a function that does both: `def f(line, cell=None)`
|
||||||
|
|
||||||
|
In the latter case, the function will be called with `cell==None` when
|
||||||
|
invoked as `%f`, and with cell as a string when invoked as `%%f`.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
func : callable
|
||||||
|
Function to be registered as a magic.
|
||||||
|
magic_kind : str
|
||||||
|
Kind of magic, one of 'line', 'cell' or 'line_cell'
|
||||||
|
magic_name : optional str
|
||||||
|
If given, the name the magic will have in the IPython namespace. By
|
||||||
|
default, the name of the function itself is used.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# Create the new method in the user_magics and register it in the
|
||||||
|
# global table
|
||||||
|
validate_type(magic_kind)
|
||||||
|
magic_name = func.__name__ if magic_name is None else magic_name
|
||||||
|
setattr(self.user_magics, magic_name, func)
|
||||||
|
record_magic(self.magics, magic_kind, magic_name, func)
|
||||||
|
|
||||||
|
def register_alias(self, alias_name, magic_name, magic_kind='line', magic_params=None):
|
||||||
|
"""Register an alias to a magic function.
|
||||||
|
|
||||||
|
The alias is an instance of :class:`MagicAlias`, which holds the
|
||||||
|
name and kind of the magic it should call. Binding is done at
|
||||||
|
call time, so if the underlying magic function is changed the alias
|
||||||
|
will call the new function.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
alias_name : str
|
||||||
|
The name of the magic to be registered.
|
||||||
|
magic_name : str
|
||||||
|
The name of an existing magic.
|
||||||
|
magic_kind : str
|
||||||
|
Kind of magic, one of 'line' or 'cell'
|
||||||
|
"""
|
||||||
|
|
||||||
|
# `validate_type` is too permissive, as it allows 'line_cell'
|
||||||
|
# which we do not handle.
|
||||||
|
if magic_kind not in magic_kinds:
|
||||||
|
raise ValueError('magic_kind must be one of %s, %s given' %
|
||||||
|
magic_kinds, magic_kind)
|
||||||
|
|
||||||
|
alias = MagicAlias(self.shell, magic_name, magic_kind, magic_params)
|
||||||
|
setattr(self.user_magics, alias_name, alias)
|
||||||
|
record_magic(self.magics, magic_kind, alias_name, alias)
|
||||||
|
|
||||||
|
# Key base class that provides the central functionality for magics.
|
||||||
|
|
||||||
|
|
||||||
|
class Magics(Configurable):
|
||||||
|
"""Base class for implementing magic functions.
|
||||||
|
|
||||||
|
Shell functions which can be reached as %function_name. All magic
|
||||||
|
functions should accept a string, which they can parse for their own
|
||||||
|
needs. This can make some functions easier to type, eg `%cd ../`
|
||||||
|
vs. `%cd("../")`
|
||||||
|
|
||||||
|
Classes providing magic functions need to subclass this class, and they
|
||||||
|
MUST:
|
||||||
|
|
||||||
|
- Use the method decorators `@line_magic` and `@cell_magic` to decorate
|
||||||
|
individual methods as magic functions, AND
|
||||||
|
|
||||||
|
- Use the class decorator `@magics_class` to ensure that the magic
|
||||||
|
methods are properly registered at the instance level upon instance
|
||||||
|
initialization.
|
||||||
|
|
||||||
|
See :mod:`magic_functions` for examples of actual implementation classes.
|
||||||
|
"""
|
||||||
|
# Dict holding all command-line options for each magic.
|
||||||
|
options_table = None
|
||||||
|
# Dict for the mapping of magic names to methods, set by class decorator
|
||||||
|
magics = None
|
||||||
|
# Flag to check that the class decorator was properly applied
|
||||||
|
registered = False
|
||||||
|
# Instance of IPython shell
|
||||||
|
shell = None
|
||||||
|
|
||||||
|
def __init__(self, shell=None, **kwargs):
|
||||||
|
if not(self.__class__.registered):
|
||||||
|
raise ValueError('Magics subclass without registration - '
|
||||||
|
'did you forget to apply @magics_class?')
|
||||||
|
if shell is not None:
|
||||||
|
if hasattr(shell, 'configurables'):
|
||||||
|
shell.configurables.append(self)
|
||||||
|
if hasattr(shell, 'config'):
|
||||||
|
kwargs.setdefault('parent', shell)
|
||||||
|
|
||||||
|
self.shell = shell
|
||||||
|
self.options_table = {}
|
||||||
|
# The method decorators are run when the instance doesn't exist yet, so
|
||||||
|
# they can only record the names of the methods they are supposed to
|
||||||
|
# grab. Only now, that the instance exists, can we create the proper
|
||||||
|
# mapping to bound methods. So we read the info off the original names
|
||||||
|
# table and replace each method name by the actual bound method.
|
||||||
|
# But we mustn't clobber the *class* mapping, in case of multiple instances.
|
||||||
|
class_magics = self.magics
|
||||||
|
self.magics = {}
|
||||||
|
for mtype in magic_kinds:
|
||||||
|
tab = self.magics[mtype] = {}
|
||||||
|
cls_tab = class_magics[mtype]
|
||||||
|
for magic_name, meth_name in cls_tab.items():
|
||||||
|
if isinstance(meth_name, str):
|
||||||
|
# it's a method name, grab it
|
||||||
|
tab[magic_name] = getattr(self, meth_name)
|
||||||
|
else:
|
||||||
|
# it's the real thing
|
||||||
|
tab[magic_name] = meth_name
|
||||||
|
# Configurable **needs** to be initiated at the end or the config
|
||||||
|
# magics get screwed up.
|
||||||
|
super(Magics, self).__init__(**kwargs)
|
||||||
|
|
||||||
|
def arg_err(self,func):
|
||||||
|
"""Print docstring if incorrect arguments were passed"""
|
||||||
|
print('Error in arguments:')
|
||||||
|
print(oinspect.getdoc(func))
|
||||||
|
|
||||||
|
def format_latex(self, strng):
|
||||||
|
"""Format a string for latex inclusion."""
|
||||||
|
|
||||||
|
# Characters that need to be escaped for latex:
|
||||||
|
escape_re = re.compile(r'(%|_|\$|#|&)',re.MULTILINE)
|
||||||
|
# Magic command names as headers:
|
||||||
|
cmd_name_re = re.compile(r'^(%s.*?):' % ESC_MAGIC,
|
||||||
|
re.MULTILINE)
|
||||||
|
# Magic commands
|
||||||
|
cmd_re = re.compile(r'(?P<cmd>%s.+?\b)(?!\}\}:)' % ESC_MAGIC,
|
||||||
|
re.MULTILINE)
|
||||||
|
# Paragraph continue
|
||||||
|
par_re = re.compile(r'\\$',re.MULTILINE)
|
||||||
|
|
||||||
|
# The "\n" symbol
|
||||||
|
newline_re = re.compile(r'\\n')
|
||||||
|
|
||||||
|
# Now build the string for output:
|
||||||
|
#strng = cmd_name_re.sub(r'\n\\texttt{\\textsl{\\large \1}}:',strng)
|
||||||
|
strng = cmd_name_re.sub(r'\n\\bigskip\n\\texttt{\\textbf{ \1}}:',
|
||||||
|
strng)
|
||||||
|
strng = cmd_re.sub(r'\\texttt{\g<cmd>}',strng)
|
||||||
|
strng = par_re.sub(r'\\\\',strng)
|
||||||
|
strng = escape_re.sub(r'\\\1',strng)
|
||||||
|
strng = newline_re.sub(r'\\textbackslash{}n',strng)
|
||||||
|
return strng
|
||||||
|
|
||||||
|
def parse_options(self, arg_str, opt_str, *long_opts, **kw):
|
||||||
|
"""Parse options passed to an argument string.
|
||||||
|
|
||||||
|
The interface is similar to that of :func:`getopt.getopt`, but it
|
||||||
|
returns a :class:`~IPython.utils.struct.Struct` with the options as keys
|
||||||
|
and the stripped argument string still as a string.
|
||||||
|
|
||||||
|
arg_str is quoted as a true sys.argv vector by using shlex.split.
|
||||||
|
This allows us to easily expand variables, glob files, quote
|
||||||
|
arguments, etc.
|
||||||
|
|
||||||
|
Parameters
|
||||||
|
----------
|
||||||
|
arg_str : str
|
||||||
|
The arguments to parse.
|
||||||
|
opt_str : str
|
||||||
|
The options specification.
|
||||||
|
mode : str, default 'string'
|
||||||
|
If given as 'list', the argument string is returned as a list (split
|
||||||
|
on whitespace) instead of a string.
|
||||||
|
list_all : bool, default False
|
||||||
|
Put all option values in lists. Normally only options
|
||||||
|
appearing more than once are put in a list.
|
||||||
|
posix : bool, default True
|
||||||
|
Whether to split the input line in POSIX mode or not, as per the
|
||||||
|
conventions outlined in the :mod:`shlex` module from the standard
|
||||||
|
library.
|
||||||
|
"""
|
||||||
|
|
||||||
|
# inject default options at the beginning of the input line
|
||||||
|
caller = sys._getframe(1).f_code.co_name
|
||||||
|
arg_str = '%s %s' % (self.options_table.get(caller,''),arg_str)
|
||||||
|
|
||||||
|
mode = kw.get('mode','string')
|
||||||
|
if mode not in ['string','list']:
|
||||||
|
raise ValueError('incorrect mode given: %s' % mode)
|
||||||
|
# Get options
|
||||||
|
list_all = kw.get('list_all',0)
|
||||||
|
posix = kw.get('posix', os.name == 'posix')
|
||||||
|
strict = kw.get('strict', True)
|
||||||
|
|
||||||
|
preserve_non_opts = kw.get("preserve_non_opts", False)
|
||||||
|
remainder_arg_str = arg_str
|
||||||
|
|
||||||
|
# Check if we have more than one argument to warrant extra processing:
|
||||||
|
odict = {} # Dictionary with options
|
||||||
|
args = arg_str.split()
|
||||||
|
if len(args) >= 1:
|
||||||
|
# If the list of inputs only has 0 or 1 thing in it, there's no
|
||||||
|
# need to look for options
|
||||||
|
argv = arg_split(arg_str, posix, strict)
|
||||||
|
# Do regular option processing
|
||||||
|
try:
|
||||||
|
opts,args = getopt(argv, opt_str, long_opts)
|
||||||
|
except GetoptError as e:
|
||||||
|
raise UsageError(
|
||||||
|
'%s ( allowed: "%s" %s)' % (e.msg, opt_str, " ".join(long_opts))
|
||||||
|
) from e
|
||||||
|
for o, a in opts:
|
||||||
|
if mode == "string" and preserve_non_opts:
|
||||||
|
# remove option-parts from the original args-string and preserve remaining-part.
|
||||||
|
# This relies on the arg_split(...) and getopt(...)'s impl spec, that the parsed options are
|
||||||
|
# returned in the original order.
|
||||||
|
remainder_arg_str = remainder_arg_str.replace(o, "", 1).replace(
|
||||||
|
a, "", 1
|
||||||
|
)
|
||||||
|
if o.startswith("--"):
|
||||||
|
o = o[2:]
|
||||||
|
else:
|
||||||
|
o = o[1:]
|
||||||
|
try:
|
||||||
|
odict[o].append(a)
|
||||||
|
except AttributeError:
|
||||||
|
odict[o] = [odict[o],a]
|
||||||
|
except KeyError:
|
||||||
|
if list_all:
|
||||||
|
odict[o] = [a]
|
||||||
|
else:
|
||||||
|
odict[o] = a
|
||||||
|
|
||||||
|
# Prepare opts,args for return
|
||||||
|
opts = Struct(odict)
|
||||||
|
if mode == 'string':
|
||||||
|
if preserve_non_opts:
|
||||||
|
args = remainder_arg_str.lstrip()
|
||||||
|
else:
|
||||||
|
args = " ".join(args)
|
||||||
|
|
||||||
|
return opts,args
|
||||||
|
|
||||||
|
def default_option(self, fn, optstr):
|
||||||
|
"""Make an entry in the options_table for fn, with value optstr"""
|
||||||
|
|
||||||
|
if fn not in self.lsmagic():
|
||||||
|
error("%s is not a magic function" % fn)
|
||||||
|
self.options_table[fn] = optstr
|
||||||
|
|
||||||
|
|
||||||
|
class MagicAlias(object):
|
||||||
|
"""An alias to another magic function.
|
||||||
|
|
||||||
|
An alias is determined by its magic name and magic kind. Lookup
|
||||||
|
is done at call time, so if the underlying magic changes the alias
|
||||||
|
will call the new function.
|
||||||
|
|
||||||
|
Use the :meth:`MagicsManager.register_alias` method or the
|
||||||
|
`%alias_magic` magic function to create and register a new alias.
|
||||||
|
"""
|
||||||
|
def __init__(self, shell, magic_name, magic_kind, magic_params=None):
|
||||||
|
self.shell = shell
|
||||||
|
self.magic_name = magic_name
|
||||||
|
self.magic_params = magic_params
|
||||||
|
self.magic_kind = magic_kind
|
||||||
|
|
||||||
|
self.pretty_target = '%s%s' % (magic_escapes[self.magic_kind], self.magic_name)
|
||||||
|
self.__doc__ = "Alias for `%s`." % self.pretty_target
|
||||||
|
|
||||||
|
self._in_call = False
|
||||||
|
|
||||||
|
def __call__(self, *args, **kwargs):
|
||||||
|
"""Call the magic alias."""
|
||||||
|
fn = self.shell.find_magic(self.magic_name, self.magic_kind)
|
||||||
|
if fn is None:
|
||||||
|
raise UsageError("Magic `%s` not found." % self.pretty_target)
|
||||||
|
|
||||||
|
# Protect against infinite recursion.
|
||||||
|
if self._in_call:
|
||||||
|
raise UsageError("Infinite recursion detected; "
|
||||||
|
"magic aliases cannot call themselves.")
|
||||||
|
self._in_call = True
|
||||||
|
try:
|
||||||
|
if self.magic_params:
|
||||||
|
args_list = list(args)
|
||||||
|
args_list[0] = self.magic_params + " " + args[0]
|
||||||
|
args = tuple(args_list)
|
||||||
|
return fn(*args, **kwargs)
|
||||||
|
finally:
|
||||||
|
self._in_call = False
|
310
Лаб1/aimenv/Lib/site-packages/IPython/core/magic_arguments.py
Normal file
310
Лаб1/aimenv/Lib/site-packages/IPython/core/magic_arguments.py
Normal file
@ -0,0 +1,310 @@
|
|||||||
|
''' A decorator-based method of constructing IPython magics with `argparse`
|
||||||
|
option handling.
|
||||||
|
|
||||||
|
New magic functions can be defined like so::
|
||||||
|
|
||||||
|
from IPython.core.magic_arguments import (argument, magic_arguments,
|
||||||
|
parse_argstring)
|
||||||
|
|
||||||
|
@magic_arguments()
|
||||||
|
@argument('-o', '--option', help='An optional argument.')
|
||||||
|
@argument('arg', type=int, help='An integer positional argument.')
|
||||||
|
def magic_cool(self, arg):
|
||||||
|
""" A really cool magic command.
|
||||||
|
|
||||||
|
"""
|
||||||
|
args = parse_argstring(magic_cool, arg)
|
||||||
|
...
|
||||||
|
|
||||||
|
The `@magic_arguments` decorator marks the function as having argparse arguments.
|
||||||
|
The `@argument` decorator adds an argument using the same syntax as argparse's
|
||||||
|
`add_argument()` method. More sophisticated uses may also require the
|
||||||
|
`@argument_group` or `@kwds` decorator to customize the formatting and the
|
||||||
|
parsing.
|
||||||
|
|
||||||
|
Help text for the magic is automatically generated from the docstring and the
|
||||||
|
arguments::
|
||||||
|
|
||||||
|
In[1]: %cool?
|
||||||
|
%cool [-o OPTION] arg
|
||||||
|
|
||||||
|
A really cool magic command.
|
||||||
|
|
||||||
|
positional arguments:
|
||||||
|
arg An integer positional argument.
|
||||||
|
|
||||||
|
optional arguments:
|
||||||
|
-o OPTION, --option OPTION
|
||||||
|
An optional argument.
|
||||||
|
|
||||||
|
Here is an elaborated example that uses default parameters in `argument` and calls the `args` in the cell magic::
|
||||||
|
|
||||||
|
from IPython.core.magic import register_cell_magic
|
||||||
|
from IPython.core.magic_arguments import (argument, magic_arguments,
|
||||||
|
parse_argstring)
|
||||||
|
|
||||||
|
|
||||||
|
@magic_arguments()
|
||||||
|
@argument(
|
||||||
|
"--option",
|
||||||
|
"-o",
|
||||||
|
help=("Add an option here"),
|
||||||
|
)
|
||||||
|
@argument(
|
||||||
|
"--style",
|
||||||
|
"-s",
|
||||||
|
default="foo",
|
||||||
|
help=("Add some style arguments"),
|
||||||
|
)
|
||||||
|
@register_cell_magic
|
||||||
|
def my_cell_magic(line, cell):
|
||||||
|
args = parse_argstring(my_cell_magic, line)
|
||||||
|
print(f"{args.option=}")
|
||||||
|
print(f"{args.style=}")
|
||||||
|
print(f"{cell=}")
|
||||||
|
|
||||||
|
In a jupyter notebook, this cell magic can be executed like this::
|
||||||
|
|
||||||
|
%%my_cell_magic -o Hello
|
||||||
|
print("bar")
|
||||||
|
i = 42
|
||||||
|
|
||||||
|
Inheritance diagram:
|
||||||
|
|
||||||
|
.. inheritance-diagram:: IPython.core.magic_arguments
|
||||||
|
:parts: 3
|
||||||
|
|
||||||
|
'''
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (C) 2010-2011, IPython Development Team.
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
#
|
||||||
|
# The full license is in the file COPYING.txt, distributed with this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
import argparse
|
||||||
|
import re
|
||||||
|
|
||||||
|
# Our own imports
|
||||||
|
from IPython.core.error import UsageError
|
||||||
|
from IPython.utils.decorators import undoc
|
||||||
|
from IPython.utils.process import arg_split
|
||||||
|
from IPython.utils.text import dedent
|
||||||
|
|
||||||
|
NAME_RE = re.compile(r"[a-zA-Z][a-zA-Z0-9_-]*$")
|
||||||
|
|
||||||
|
@undoc
|
||||||
|
class MagicHelpFormatter(argparse.RawDescriptionHelpFormatter):
|
||||||
|
"""A HelpFormatter with a couple of changes to meet our needs.
|
||||||
|
"""
|
||||||
|
# Modified to dedent text.
|
||||||
|
def _fill_text(self, text, width, indent):
|
||||||
|
return argparse.RawDescriptionHelpFormatter._fill_text(self, dedent(text), width, indent)
|
||||||
|
|
||||||
|
# Modified to wrap argument placeholders in <> where necessary.
|
||||||
|
def _format_action_invocation(self, action):
|
||||||
|
if not action.option_strings:
|
||||||
|
metavar, = self._metavar_formatter(action, action.dest)(1)
|
||||||
|
return metavar
|
||||||
|
|
||||||
|
else:
|
||||||
|
parts = []
|
||||||
|
|
||||||
|
# if the Optional doesn't take a value, format is:
|
||||||
|
# -s, --long
|
||||||
|
if action.nargs == 0:
|
||||||
|
parts.extend(action.option_strings)
|
||||||
|
|
||||||
|
# if the Optional takes a value, format is:
|
||||||
|
# -s ARGS, --long ARGS
|
||||||
|
else:
|
||||||
|
default = action.dest.upper()
|
||||||
|
args_string = self._format_args(action, default)
|
||||||
|
# IPYTHON MODIFICATION: If args_string is not a plain name, wrap
|
||||||
|
# it in <> so it's valid RST.
|
||||||
|
if not NAME_RE.match(args_string):
|
||||||
|
args_string = "<%s>" % args_string
|
||||||
|
for option_string in action.option_strings:
|
||||||
|
parts.append('%s %s' % (option_string, args_string))
|
||||||
|
|
||||||
|
return ', '.join(parts)
|
||||||
|
|
||||||
|
# Override the default prefix ('usage') to our % magic escape,
|
||||||
|
# in a code block.
|
||||||
|
def add_usage(self, usage, actions, groups, prefix="::\n\n %"):
|
||||||
|
super(MagicHelpFormatter, self).add_usage(usage, actions, groups, prefix)
|
||||||
|
|
||||||
|
class MagicArgumentParser(argparse.ArgumentParser):
|
||||||
|
""" An ArgumentParser tweaked for use by IPython magics.
|
||||||
|
"""
|
||||||
|
def __init__(self,
|
||||||
|
prog=None,
|
||||||
|
usage=None,
|
||||||
|
description=None,
|
||||||
|
epilog=None,
|
||||||
|
parents=None,
|
||||||
|
formatter_class=MagicHelpFormatter,
|
||||||
|
prefix_chars='-',
|
||||||
|
argument_default=None,
|
||||||
|
conflict_handler='error',
|
||||||
|
add_help=False):
|
||||||
|
if parents is None:
|
||||||
|
parents = []
|
||||||
|
super(MagicArgumentParser, self).__init__(prog=prog, usage=usage,
|
||||||
|
description=description, epilog=epilog,
|
||||||
|
parents=parents, formatter_class=formatter_class,
|
||||||
|
prefix_chars=prefix_chars, argument_default=argument_default,
|
||||||
|
conflict_handler=conflict_handler, add_help=add_help)
|
||||||
|
|
||||||
|
def error(self, message):
|
||||||
|
""" Raise a catchable error instead of exiting.
|
||||||
|
"""
|
||||||
|
raise UsageError(message)
|
||||||
|
|
||||||
|
def parse_argstring(self, argstring):
|
||||||
|
""" Split a string into an argument list and parse that argument list.
|
||||||
|
"""
|
||||||
|
argv = arg_split(argstring)
|
||||||
|
return self.parse_args(argv)
|
||||||
|
|
||||||
|
|
||||||
|
def construct_parser(magic_func):
|
||||||
|
""" Construct an argument parser using the function decorations.
|
||||||
|
"""
|
||||||
|
kwds = getattr(magic_func, 'argcmd_kwds', {})
|
||||||
|
if 'description' not in kwds:
|
||||||
|
kwds['description'] = getattr(magic_func, '__doc__', None)
|
||||||
|
arg_name = real_name(magic_func)
|
||||||
|
parser = MagicArgumentParser(arg_name, **kwds)
|
||||||
|
# Reverse the list of decorators in order to apply them in the
|
||||||
|
# order in which they appear in the source.
|
||||||
|
group = None
|
||||||
|
for deco in magic_func.decorators[::-1]:
|
||||||
|
result = deco.add_to_parser(parser, group)
|
||||||
|
if result is not None:
|
||||||
|
group = result
|
||||||
|
|
||||||
|
# Replace the magic function's docstring with the full help text.
|
||||||
|
magic_func.__doc__ = parser.format_help()
|
||||||
|
|
||||||
|
return parser
|
||||||
|
|
||||||
|
|
||||||
|
def parse_argstring(magic_func, argstring):
|
||||||
|
""" Parse the string of arguments for the given magic function.
|
||||||
|
"""
|
||||||
|
return magic_func.parser.parse_argstring(argstring)
|
||||||
|
|
||||||
|
|
||||||
|
def real_name(magic_func):
|
||||||
|
""" Find the real name of the magic.
|
||||||
|
"""
|
||||||
|
magic_name = magic_func.__name__
|
||||||
|
if magic_name.startswith('magic_'):
|
||||||
|
magic_name = magic_name[len('magic_'):]
|
||||||
|
return getattr(magic_func, 'argcmd_name', magic_name)
|
||||||
|
|
||||||
|
|
||||||
|
class ArgDecorator(object):
|
||||||
|
""" Base class for decorators to add ArgumentParser information to a method.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __call__(self, func):
|
||||||
|
if not getattr(func, 'has_arguments', False):
|
||||||
|
func.has_arguments = True
|
||||||
|
func.decorators = []
|
||||||
|
func.decorators.append(self)
|
||||||
|
return func
|
||||||
|
|
||||||
|
def add_to_parser(self, parser, group):
|
||||||
|
""" Add this object's information to the parser, if necessary.
|
||||||
|
"""
|
||||||
|
pass
|
||||||
|
|
||||||
|
|
||||||
|
class magic_arguments(ArgDecorator):
|
||||||
|
""" Mark the magic as having argparse arguments and possibly adjust the
|
||||||
|
name.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def __init__(self, name=None):
|
||||||
|
self.name = name
|
||||||
|
|
||||||
|
def __call__(self, func):
|
||||||
|
if not getattr(func, 'has_arguments', False):
|
||||||
|
func.has_arguments = True
|
||||||
|
func.decorators = []
|
||||||
|
if self.name is not None:
|
||||||
|
func.argcmd_name = self.name
|
||||||
|
# This should be the first decorator in the list of decorators, thus the
|
||||||
|
# last to execute. Build the parser.
|
||||||
|
func.parser = construct_parser(func)
|
||||||
|
return func
|
||||||
|
|
||||||
|
|
||||||
|
class ArgMethodWrapper(ArgDecorator):
|
||||||
|
|
||||||
|
"""
|
||||||
|
Base class to define a wrapper for ArgumentParser method.
|
||||||
|
|
||||||
|
Child class must define either `_method_name` or `add_to_parser`.
|
||||||
|
|
||||||
|
"""
|
||||||
|
|
||||||
|
_method_name: str
|
||||||
|
|
||||||
|
def __init__(self, *args, **kwds):
|
||||||
|
self.args = args
|
||||||
|
self.kwds = kwds
|
||||||
|
|
||||||
|
def add_to_parser(self, parser, group):
|
||||||
|
""" Add this object's information to the parser.
|
||||||
|
"""
|
||||||
|
if group is not None:
|
||||||
|
parser = group
|
||||||
|
getattr(parser, self._method_name)(*self.args, **self.kwds)
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
|
class argument(ArgMethodWrapper):
|
||||||
|
""" Store arguments and keywords to pass to add_argument().
|
||||||
|
|
||||||
|
Instances also serve to decorate command methods.
|
||||||
|
"""
|
||||||
|
_method_name = 'add_argument'
|
||||||
|
|
||||||
|
|
||||||
|
class defaults(ArgMethodWrapper):
|
||||||
|
""" Store arguments and keywords to pass to set_defaults().
|
||||||
|
|
||||||
|
Instances also serve to decorate command methods.
|
||||||
|
"""
|
||||||
|
_method_name = 'set_defaults'
|
||||||
|
|
||||||
|
|
||||||
|
class argument_group(ArgMethodWrapper):
|
||||||
|
""" Store arguments and keywords to pass to add_argument_group().
|
||||||
|
|
||||||
|
Instances also serve to decorate command methods.
|
||||||
|
"""
|
||||||
|
|
||||||
|
def add_to_parser(self, parser, group):
|
||||||
|
""" Add this object's information to the parser.
|
||||||
|
"""
|
||||||
|
return parser.add_argument_group(*self.args, **self.kwds)
|
||||||
|
|
||||||
|
|
||||||
|
class kwds(ArgDecorator):
|
||||||
|
""" Provide other keywords to the sub-parser constructor.
|
||||||
|
"""
|
||||||
|
def __init__(self, **kwds):
|
||||||
|
self.kwds = kwds
|
||||||
|
|
||||||
|
def __call__(self, func):
|
||||||
|
func = super(kwds, self).__call__(func)
|
||||||
|
func.argcmd_kwds = self.kwds
|
||||||
|
return func
|
||||||
|
|
||||||
|
|
||||||
|
__all__ = ['magic_arguments', 'argument', 'argument_group', 'kwds',
|
||||||
|
'parse_argstring']
|
@ -0,0 +1,42 @@
|
|||||||
|
"""Implementation of all the magic functions built into IPython.
|
||||||
|
"""
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Copyright (c) 2012 The IPython Development Team.
|
||||||
|
#
|
||||||
|
# Distributed under the terms of the Modified BSD License.
|
||||||
|
#
|
||||||
|
# The full license is in the file COPYING.txt, distributed with this software.
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Imports
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
from ..magic import Magics, magics_class
|
||||||
|
from .auto import AutoMagics
|
||||||
|
from .basic import BasicMagics, AsyncMagics
|
||||||
|
from .code import CodeMagics, MacroToEdit
|
||||||
|
from .config import ConfigMagics
|
||||||
|
from .display import DisplayMagics
|
||||||
|
from .execution import ExecutionMagics
|
||||||
|
from .extension import ExtensionMagics
|
||||||
|
from .history import HistoryMagics
|
||||||
|
from .logging import LoggingMagics
|
||||||
|
from .namespace import NamespaceMagics
|
||||||
|
from .osm import OSMagics
|
||||||
|
from .packaging import PackagingMagics
|
||||||
|
from .pylab import PylabMagics
|
||||||
|
from .script import ScriptMagics
|
||||||
|
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
# Magic implementation classes
|
||||||
|
#-----------------------------------------------------------------------------
|
||||||
|
|
||||||
|
@magics_class
|
||||||
|
class UserMagics(Magics):
|
||||||
|
"""Placeholder for user-defined magics to be added at runtime.
|
||||||
|
|
||||||
|
All magics are eventually merged into a single namespace at runtime, but we
|
||||||
|
use this class to isolate the magics defined dynamically by the user into
|
||||||
|
their own class.
|
||||||
|
"""
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user