##// END OF EJS Templates
More work on InteractiveShell and ipmaker. It works!
More work on InteractiveShell and ipmaker. It works!

File last commit:

r2063:9650bd9e
r2204:737ad9d6
Show More
ipy_profile_sh.py
270 lines | 9.3 KiB | text/x-python | PythonLexer
ville
initialization (no svn history)
r988 """Shell mode for IPython.
Start ipython in shell mode by invoking "ipython -p sh"
(the old version, "ipython -p pysh" still works but this is the more "modern"
shell mode and is recommended for users who don't care about pysh-mode
compatibility)
"""
Brian Granger
ipapi.py => core/ipapi.py and imports updated.
r2027 from IPython.core import ipapi
Ville M. Vainio
./foo prefilter replaced by ~/bin/foo, /bin/foo profilter, after a patch by Lukasz Pankowski
r1742 import os,re,textwrap
ville
initialization (no svn history)
r988
# The import below effectively obsoletes your old-style ipythonrc[.ini],
# so consider yourself warned!
import ipy_defaults
def main():
ip = ipapi.get()
o = ip.options
# autocall to "full" mode (smart mode is default, I like full mode)
o.autocall = 2
# Jason Orendorff's path class is handy to have in user namespace
# if you are doing shell-like stuff
try:
ip.ex("from IPython.external.path import path" )
except ImportError:
pass
# beefed up %env is handy in shell mode
import envpersist
# To see where mycmd resides (in path/aliases), do %which mycmd
import ipy_which
# tab completers for hg, svn, ...
import ipy_app_completers
# To make executables foo and bar in mybin usable without PATH change, do:
# %rehashdir c:/mybin
# %store foo
# %store bar
import ipy_rehashdir
Ville M. Vainio
disable ipy_signals in sh profile, it does not work with python 2.3 (that has no subprocess module)
r1213
# does not work without subprocess module!
#import ipy_signals
ville
initialization (no svn history)
r988
ip.ex('import os')
ip.ex("def up(): os.chdir('..')")
Ville M. Vainio
sh profile: $LA can now be used in place of "last argument of previous command", like $! in bash
r1043 ip.user_ns['LA'] = LastArgFinder()
ville
initialization (no svn history)
r988
Ville M. Vainio
sh profile: renders _prompt_title variable in prompt (because changing the whole prompt is pain)
r1688 # You can assign to _prompt_title variable
# to provide some extra information for prompt
# (e.g. the current mode, host/username...)
ip.user_ns['_prompt_title'] = ''
# Nice prompt
o.prompt_in1= r'\C_Green${_prompt_title}\C_LightBlue[\C_LightCyan\Y2\C_LightBlue]\C_Green|\#> '
ville
initialization (no svn history)
r988 o.prompt_in2= r'\C_Green|\C_LightGreen\D\C_Green> '
o.prompt_out= '<\#> '
Brian Granger
Release.py => core/release.py and imports updated.
r2043 from IPython.core import release
ville
initialization (no svn history)
r988
import sys
# Non-chatty banner
Brian Granger
Release.py => core/release.py and imports updated.
r2043 o.banner = "IPython %s [on Py %s]\n" % (release.version,sys.version.split(None,1)[0])
ville
initialization (no svn history)
r988
ip.IP.default_option('cd','-q')
ip.IP.default_option('macro', '-r')
# If you only rarely want to execute the things you %edit...
#ip.IP.default_option('edit','-x')
o.prompts_pad_left="1"
# Remove all blank lines in between prompts, like a normal shell.
o.separate_in="0"
o.separate_out="0"
o.separate_out2="0"
# now alias all syscommands
db = ip.db
syscmds = db.get("syscmdlist",[] )
if not syscmds:
print textwrap.dedent("""
System command list not initialized, probably the first run...
running %rehashx to refresh the command list. Run %rehashx
again to refresh command list (after installing new software etc.)
""")
ip.magic('rehashx')
syscmds = db.get("syscmdlist")
# lowcase aliases on win32 only
if os.name == 'posix':
mapper = lambda s:s
else:
def mapper(s): return s.lower()
for cmd in syscmds:
# print "sys",cmd #dbg
noext, ext = os.path.splitext(cmd)
Ville M. Vainio
sh profile: fix dot removal (only strip .exe extension, as in rehashx)
r1687 if ext.lower() == '.exe':
cmd = noext
key = mapper(cmd)
ville
initialization (no svn history)
r988 if key not in ip.IP.alias_table:
Ville M. Vainio
add comments (review fix]
r1736 # Dots will be removed from alias names, since ipython
# assumes names with dots to be python code
Ville M. Vainio
syscmd aliases - remove dots, so python3.0 => python 30
r1683 ip.defalias(key.replace('.',''), cmd)
ville
initialization (no svn history)
r988
# mglob combines 'find', recursion, exclusion... '%mglob?' to learn more
ip.load("IPython.external.mglob")
# win32 is crippled w/o cygwin, try to help it a little bit
if sys.platform == 'win32':
if 'cygwin' in os.environ['PATH'].lower():
# use the colors of cygwin ls (recommended)
ip.defalias('d', 'ls -F --color=auto')
else:
# get icp, imv, imkdir, igrep, irm,...
ip.load('ipy_fsops')
# and the next best thing to real 'ls -F'
ip.defalias('d','dir /w /og /on')
Ville M. Vainio
./foo prefilter replaced by ~/bin/foo, /bin/foo profilter, after a patch by Lukasz Pankowski
r1742 ip.set_hook('input_prefilter', slash_prefilter_f)
ville
initialization (no svn history)
r988 extend_shell_behavior(ip)
Ville M. Vainio
sh profile: $LA can now be used in place of "last argument of previous command", like $! in bash
r1043 class LastArgFinder:
Ville M. Vainio
Implement __call__ for LA
r1045 """ Allow $LA to work as "last argument of previous command", like $! in bash
Ville M. Vainio
sh profile: $LA can now be used in place of "last argument of previous command", like $! in bash
r1043
Ville M. Vainio
Implement __call__ for LA
r1045 To call this in normal IPython code, do LA()
Ville M. Vainio
sh profile: $LA can now be used in place of "last argument of previous command", like $! in bash
r1043 """
Ville M. Vainio
$LA(n) now works (specify input history index)
r1047 def __call__(self, hist_idx = None):
ip = ipapi.get()
if hist_idx is None:
return str(self)
return ip.IP.input_hist_raw[hist_idx].strip().split()[-1]
Ville M. Vainio
sh profile: $LA can now be used in place of "last argument of previous command", like $! in bash
r1043 def __str__(self):
ip = ipapi.get()
for cmd in reversed(ip.IP.input_hist_raw):
parts = cmd.strip().split()
Ville M. Vainio
check for both $LA and LA() in history crawling
r1046 if len(parts) < 2 or parts[-1] in ['$LA', 'LA()']:
Ville M. Vainio
sh profile: $LA can now be used in place of "last argument of previous command", like $! in bash
r1043 continue
return parts[-1]
return ""
Ville M. Vainio
./foo prefilter replaced by ~/bin/foo, /bin/foo profilter, after a patch by Lukasz Pankowski
r1742 def slash_prefilter_f(self,line):
""" ./foo, ~/foo and /bin/foo now run foo as system command
Ville M. Vainio
sh profile: ./foo runs 'foo' directly as system command
r1285
Ville M. Vainio
./foo prefilter replaced by ~/bin/foo, /bin/foo profilter, after a patch by Lukasz Pankowski
r1742 Removes the need for doing !./foo, !~/foo or !/bin/foo
Ville M. Vainio
sh profile: ./foo runs 'foo' directly as system command
r1285 """
Brian Granger
genutils.py => utils/genutils.py and updated imports and tests.
r2023 from IPython.utils import genutils
Ville M. Vainio
./foo prefilter replaced by ~/bin/foo, /bin/foo profilter, after a patch by Lukasz Pankowski
r1742 if re.match('(?:[.~]|/[a-zA-Z_0-9]+)/', line):
Brian Granger
genutils.py => utils/genutils.py and updated imports and tests.
r2023 return "_ip.system(" + genutils.make_quoted_expr(line)+")"
Ville M. Vainio
sh profile: ./foo runs 'foo' directly as system command
r1285 raise ipapi.TryNext
Ville M. Vainio
sh profile: $LA can now be used in place of "last argument of previous command", like $! in bash
r1043
ville
initialization (no svn history)
r988 # XXX You do not need to understand the next function!
# This should probably be moved out of profile
def extend_shell_behavior(ip):
# Instead of making signature a global variable tie it to IPSHELL.
# In future if it is required to distinguish between different
# shells we can assign a signature per shell basis
ip.IP.__sig__ = 0xa005
# mark the IPSHELL with this signature
ip.IP.user_ns['__builtins__'].__dict__['__sig__'] = ip.IP.__sig__
Brian Granger
Moved Itpl.py to deathrow as we already have a copy in external.
r2031 from IPython.external.Itpl import ItplNS
from IPython.utils.genutils import shell
ville
initialization (no svn history)
r988 # utility to expand user variables via Itpl
# xxx do something sensible with depth?
ip.IP.var_expand = lambda cmd, lvars=None, depth=2: \
str(ItplNS(cmd, ip.IP.user_ns, get_locals()))
def get_locals():
""" Substituting a variable through Itpl deep inside the IPSHELL stack
requires the knowledge of all the variables in scope upto the last
IPSHELL frame. This routine simply merges all the local variables
on the IPSHELL stack without worrying about their scope rules
"""
import sys
# note lambda expression constitues a function call
# hence fno should be incremented by one
getsig = lambda fno: sys._getframe(fno+1).f_globals \
['__builtins__'].__dict__['__sig__']
getlvars = lambda fno: sys._getframe(fno+1).f_locals
# trackback until we enter the IPSHELL
frame_no = 1
sig = ip.IP.__sig__
fsig = ~sig
while fsig != sig :
try:
fsig = getsig(frame_no)
except (AttributeError, KeyError):
frame_no += 1
except ValueError:
# stack is depleted
# call did not originate from IPSHELL
return {}
first_frame = frame_no
# walk further back until we exit from IPSHELL or deplete stack
try:
while(sig == getsig(frame_no+1)):
frame_no += 1
except (AttributeError, KeyError, ValueError):
pass
# merge the locals from top down hence overriding
# any re-definitions of variables, functions etc.
lvars = {}
for fno in range(frame_no, first_frame-1, -1):
lvars.update(getlvars(fno))
#print '\n'*5, first_frame, frame_no, '\n', lvars, '\n'*5 #dbg
return lvars
def _runlines(lines):
"""Run a string of one or more lines of source.
This method is capable of running a string containing multiple source
lines, as if they had been entered at the IPython prompt. Since it
exposes IPython's processing machinery, the given strings can contain
magic calls (%magic), special shell access (!cmd), etc."""
# We must start with a clean buffer, in case this is run from an
# interactive IPython session (via a magic, for example).
ip.IP.resetbuffer()
lines = lines.split('\n')
more = 0
command = ''
for line in lines:
# skip blank lines so we don't mess up the prompt counter, but do
# NOT skip even a blank line if we are in a code block (more is
# true)
# if command is not empty trim the line
if command != '' :
line = line.strip()
# add the broken line to the command
if line and line[-1] == '\\' :
command += line[0:-1] + ' '
more = True
continue
else :
# add the last (current) line to the command
command += line
if command or more:
# push to raw history, so hist line numbers stay in sync
ip.IP.input_hist_raw.append("# " + command + "\n")
more = ip.IP.push(ip.IP.prefilter(command,more))
command = ''
# IPython's runsource returns None if there was an error
# compiling the code. This allows us to stop processing right
# away, so the user gets the error message at the right place.
if more is None:
break
# final newline in case the input didn't have it, so that the code
# actually does get executed
if more:
ip.IP.push('\n')
ip.IP.runlines = _runlines
main()