##// END OF EJS Templates
add genutils.wrap_deprecated
add genutils.wrap_deprecated

File last commit:

r381:a39ea5ae
r444:859be262
Show More
ipapi.py
330 lines | 9.8 KiB | text/x-python | PythonLexer
vivainio
Added ipapi, the extension api for ipython....
r109 ''' IPython customization API
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110 Your one-stop module for configuring & extending ipython
vivainio
Added ipapi, the extension api for ipython....
r109
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110 The API will probably break when ipython 1.0 is released, but so
will the other configuration method (rc files).
vivainio
Added ipapi, the extension api for ipython....
r109
All names prefixed by underscores are for internal use, not part
of the public api.
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110 Below is an example that you can just put to a module and import from ipython.
A good practice is to install the config script below as e.g.
~/.ipython/my_private_conf.py
And do
import_mod my_private_conf
in ~/.ipython/ipythonrc
That way the module is imported at startup and you can have all your
personal configuration (as opposed to boilerplate ipythonrc-PROFILENAME
stuff) in there.
vivainio
Added ipapi, the extension api for ipython....
r109
-----------------------------------------------
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 import IPython.ipapi
ip = IPython.ipapi.get()
vivainio
Added ipapi, the extension api for ipython....
r109
def ankka_f(self, arg):
print "Ankka",self,"says uppercase:",arg.upper()
ip.expose_magic("ankka",ankka_f)
ip.magic('alias sayhi echo "Testing, hi ok"')
ip.magic('alias helloworld echo "Hello world"')
ip.system('pwd')
ip.ex('import re')
ip.ex("""
def funcci(a,b):
print a+b
print funcci(3,4)
""")
ip.ex("funcci(348,9)")
def jed_editor(self,filename, linenum=None):
print "Calling my own editor, jed ... via hook!"
import os
if linenum is None: linenum = 0
os.system('jed +%d %s' % (linenum, filename))
print "exiting jed"
ip.set_hook('editor',jed_editor)
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 o = ip.options
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110 o.autocall = 2 # FULL autocall mode
vivainio
Added ipapi, the extension api for ipython....
r109 print "done!"
'''
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284
# stdlib imports
fperez
- Fix problems with -pylab and custom namespaces....
r296 import __builtin__
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 import sys
# our own
from IPython.genutils import warn,error
vivainio
result_display can return value. ipapi.is_ipython_session(). %paste -> %cpaste.
r144
class TryNext(Exception):
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 """Try next hook exception.
vivainio
result_display can return value. ipapi.is_ipython_session(). %paste -> %cpaste.
r144
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 Raise this in your hook function to indicate that the next hook handler
should be used to handle the operation. If you pass arguments to the
constructor those arguments will be used by the next hook instead of the
original ones.
vivainio
result_display can return value. ipapi.is_ipython_session(). %paste -> %cpaste.
r144 """
vivainio
Walter's patch for ipapi.py & hooks.py: TryNext exception can now...
r251
def __init__(self, *args, **kwargs):
self.args = args
self.kwargs = kwargs
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 # contains the most recently instantiated IPApi
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284
class IPythonNotRunning:
"""Dummy do-nothing class.
Instances of this class return a dummy attribute on all accesses, which
can be called and warns. This makes it easier to write scripts which use
the ipapi.get() object for informational purposes to operate both with and
without ipython. Obviously code which uses the ipython object for
computations will not work, but this allows a wider range of code to
transparently work whether ipython is being used or not."""
def __str__(self):
return "<IPythonNotRunning>"
__repr__ = __str__
def __getattr__(self,name):
return self.dummy
def dummy(self,*args,**kw):
"""Dummy function, which doesn't do anything but warn."""
warn("IPython is not running, this is a dummy no-op function")
vivainio
ipapi.get() only returns dummy obj when asked for
r288 _recent = None
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110
vivainio
ipapi.get() only returns dummy obj when asked for
r288
def get(allow_dummy=False):
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 """Get an IPApi object.
vivainio
Added ipapi, the extension api for ipython....
r109
vivainio
ipapi.get() only returns dummy obj when asked for
r288 If allow_dummy is true, returns an instance of IPythonNotRunning
instead of None if not running under IPython.
vivainio
Added ipapi, the extension api for ipython....
r109
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 Running this should be the first thing you do when writing extensions that
can be imported as normal modules. You can then direct all the
configuration operations against the returned object.
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 """
vivainio
ipapi.get() only returns dummy obj when asked for
r288 global _recent
if allow_dummy and not _recent:
_recent = IPythonNotRunning()
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 return _recent
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 class IPApi:
""" The actual API class for configuring IPython
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 You should do all of the IPython configuration by getting an IPApi object
with IPython.ipapi.get() and using the attributes and methods of the
returned object."""
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 def __init__(self,ip):
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 # All attributes exposed here are considered to be the public API of
# IPython. As needs dictate, some of these may be wrapped as
# properties.
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 self.magic = ip.ipmagic
self.system = ip.ipsystem
self.set_hook = ip.set_hook
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110
vivainio
-Added a unit testing framework...
r181 self.set_custom_exc = ip.set_custom_exc
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284
self.user_ns = ip.user_ns
fptest
- Made the internal crash handler very customizable for end-user apps based...
r381 self.set_crash_handler = ip.set_crash_handler
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 # Session-specific data store, which can be used to store
# data that should persist through the ipython session.
self.meta = ip.meta
# The ipython instance provided
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 self.IP = ip
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 global _recent
_recent = self
vivainio
ipapi decorators ashook, asmagic; ipapi.options() for __IP.rc access
r110
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 # Use a property for some things which are added to the instance very
# late. I don't have time right now to disentangle the initialization
# order issues, so a property lets us delay item extraction while
# providing a normal attribute API.
def get_db(self):
"""A handle to persistent dict-like database (a PickleShareDB object)"""
return self.IP.db
db = property(get_db,None,None,get_db.__doc__)
def get_options(self):
"""All configurable variables."""
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 return self.IP.rc
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284
options = property(get_options,None,None,get_options.__doc__)
vivainio
Added ipapi, the extension api for ipython....
r109
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 def expose_magic(self,magicname, func):
''' Expose own function as magic function for ipython
def foo_impl(self,parameter_s=''):
"""My very own magic!. (Use docstrings, IPython reads them)."""
print 'Magic function. Passed parameter is between < >: <'+parameter_s+'>'
print 'The self object is:',self
ipapi.expose_magic("foo",foo_impl)
'''
import new
im = new.instancemethod(func,self.IP, self.IP.__class__)
setattr(self.IP, "magic_" + magicname, im)
def ex(self,cmd):
""" Execute a normal python statement in user namespace """
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 exec cmd in self.user_ns
vivainio
config changes
r130
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 def ev(self,expr):
""" Evaluate python expression expr in user namespace
Returns the result of evaluation"""
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 return eval(expr,self.user_ns)
vivainio
a = !ls, a = %alias now work (captures output or gets ret val for aliases)...
r151
vivainio
-Added a unit testing framework...
r181 def runlines(self,lines):
""" Run the specified lines in interpreter, honoring ipython directives.
This allows %magic and !shell escape notations.
vivainio
a = !ls, a = %alias now work (captures output or gets ret val for aliases)...
r151
vivainio
-Added a unit testing framework...
r181 Takes either all lines in one string or list of lines.
"""
if isinstance(lines,basestring):
self.IP.runlines(lines)
else:
self.IP.runlines('\n'.join(lines))
vivainio
ipapi: to_user_ns takes "x y", and doesn't support renaming anymore
r289 def to_user_ns(self,vars):
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 """Inject a group of variables into the IPython user namespace.
Inputs:
vivainio
ipapi: to_user_ns takes "x y", and doesn't support renaming anymore
r289 - vars: string with variable names separated by whitespace
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284
This utility routine is meant to ease interactive debugging work,
where you want to easily propagate some internal variable in your code
up to the interactive namespace for further exploration.
When you run code via %run, globals in your script become visible at
the interactive prompt, but this doesn't happen for locals inside your
own functions and methods. Yet when debugging, it is common to want
to explore some internal variables further at the interactive propmt.
Examples:
To use this, you first must obtain a handle on the ipython object as
indicated above, via:
import IPython.ipapi
ip = IPython.ipapi.get()
Once this is done, inside a routine foo() where you want to expose
variables x and y, you do the following:
def foo():
...
x = your_computation()
y = something_else()
# This pushes x and y to the interactive prompt immediately, even
# if this routine crashes on the next line after:
vivainio
ipapi: to_user_ns takes "x y", and doesn't support renaming anymore
r289 ip.to_user_ns('x y')
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 ...
vivainio
ipapi: to_user_ns takes "x y", and doesn't support renaming anymore
r289 # return
If you need to rename variables, just use ip.user_ns with dict
and update:
# exposes variables 'foo' as 'x' and 'bar' as 'y' in IPython
# user namespace
ip.user_ns.update(dict(x=foo,y=bar))
"""
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284
# print 'vars given:',vars # dbg
# Get the caller's frame to evaluate the given names in
cf = sys._getframe(1)
user_ns = self.user_ns
vivainio
ipapi: to_user_ns takes "x y", and doesn't support renaming anymore
r289
for name in vars.split():
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 try:
vivainio
ipapi: to_user_ns takes "x y", and doesn't support renaming anymore
r289 user_ns[name] = eval(name,cf.f_globals,cf.f_locals)
fperez
Defaults rename, clean up api to use properties or direct access rather than...
r284 except:
error('could not get var. %s from %s' %
vivainio
ipapi: to_user_ns takes "x y", and doesn't support renaming anymore
r289 (name,cf.f_code.co_name))
vivainio
Separate eggsetup.py that handles scripts installation in the egg...
r138
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 def launch_new_instance(user_ns = None):
fperez
- Fix problems with -pylab and custom namespaces....
r296 """ Make and start a new ipython instance.
vivainio
Separate eggsetup.py that handles scripts installation in the egg...
r138
This can be called even without having an already initialized
ipython session running.
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 This is also used as the egg entry point for the 'ipython' script.
vivainio
Separate eggsetup.py that handles scripts installation in the egg...
r138 """
fperez
- Fix problems with -pylab and custom namespaces....
r296 ses = make_session(user_ns)
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 ses.mainloop()
vivainio
Separate eggsetup.py that handles scripts installation in the egg...
r138
vivainio
result_display can return value. ipapi.is_ipython_session(). %paste -> %cpaste.
r144
fperez
- Fix problems with -pylab and custom namespaces....
r296 def make_user_ns(user_ns = None):
"""Return a valid user interactive namespace.
This builds a dict with the minimal information needed to operate as a
valid IPython user namespace, which you can pass to the various embedding
classes in ipython.
"""
if user_ns is None:
# Set __name__ to __main__ to better match the behavior of the
# normal interpreter.
user_ns = {'__name__' :'__main__',
'__builtins__' : __builtin__,
}
else:
user_ns.setdefault('__name__','__main__')
user_ns.setdefault('__builtins__',__builtin__)
return user_ns
def make_user_global_ns(ns = None):
"""Return a valid user global namespace.
Similar to make_user_ns(), but global namespaces are really only needed in
embedded applications, where there is a distinction between the user's
interactive namespace and the global one where ipython is running."""
if ns is None: ns = {}
return ns
def make_session(user_ns = None):
"""Makes, but does not launch an IPython session.
vivainio
Separate eggsetup.py that handles scripts installation in the egg...
r138
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 Later on you can call obj.mainloop() on the returned object.
fperez
- Fix problems with -pylab and custom namespaces....
r296
Inputs:
- user_ns(None): a dict to be used as the user's namespace with initial
data.
vivainio
Separate eggsetup.py that handles scripts installation in the egg...
r138
fperez
- Fix problems with -pylab and custom namespaces....
r296 WARNING: This should *not* be run when a session exists already."""
vivainio
ipapi rehaul, moved api methods to class IPApi. Usage didn't change...
r146 import IPython
fperez
- Fix problems with -pylab and custom namespaces....
r296 return IPython.Shell.start(user_ns)