##// END OF EJS Templates
support unicode in LazyEvaluate...
MinRK -
Show More
@@ -1,429 +1,435 b''
1 # -*- coding: utf-8 -*-
1 # -*- coding: utf-8 -*-
2 """Classes for handling input/output prompts.
2 """Classes for handling input/output prompts.
3
3
4 Authors:
4 Authors:
5
5
6 * Fernando Perez
6 * Fernando Perez
7 * Brian Granger
7 * Brian Granger
8 * Thomas Kluyver
8 * Thomas Kluyver
9 """
9 """
10
10
11 #-----------------------------------------------------------------------------
11 #-----------------------------------------------------------------------------
12 # Copyright (C) 2008-2011 The IPython Development Team
12 # Copyright (C) 2008-2011 The IPython Development Team
13 # Copyright (C) 2001-2007 Fernando Perez <fperez@colorado.edu>
13 # Copyright (C) 2001-2007 Fernando Perez <fperez@colorado.edu>
14 #
14 #
15 # Distributed under the terms of the BSD License. The full license is in
15 # Distributed under the terms of the BSD License. The full license is in
16 # the file COPYING, distributed as part of this software.
16 # the file COPYING, distributed as part of this software.
17 #-----------------------------------------------------------------------------
17 #-----------------------------------------------------------------------------
18
18
19 #-----------------------------------------------------------------------------
19 #-----------------------------------------------------------------------------
20 # Imports
20 # Imports
21 #-----------------------------------------------------------------------------
21 #-----------------------------------------------------------------------------
22
22
23 import os
23 import os
24 import re
24 import re
25 import socket
25 import socket
26 import sys
26 import sys
27 import time
27 import time
28
28
29 from string import Formatter
29 from string import Formatter
30
30
31 from IPython.config.configurable import Configurable
31 from IPython.config.configurable import Configurable
32 from IPython.core import release
32 from IPython.core import release
33 from IPython.utils import coloransi
33 from IPython.utils import coloransi, py3compat
34 from IPython.utils.traitlets import (Unicode, Instance, Dict, Bool, Int)
34 from IPython.utils.traitlets import (Unicode, Instance, Dict, Bool, Int)
35
35
36 #-----------------------------------------------------------------------------
36 #-----------------------------------------------------------------------------
37 # Color schemes for prompts
37 # Color schemes for prompts
38 #-----------------------------------------------------------------------------
38 #-----------------------------------------------------------------------------
39
39
40 InputColors = coloransi.InputTermColors # just a shorthand
40 InputColors = coloransi.InputTermColors # just a shorthand
41 Colors = coloransi.TermColors # just a shorthand
41 Colors = coloransi.TermColors # just a shorthand
42
42
43 color_lists = dict(normal=Colors(), inp=InputColors(), nocolor=coloransi.NoColors())
43 color_lists = dict(normal=Colors(), inp=InputColors(), nocolor=coloransi.NoColors())
44
44
45 PColNoColors = coloransi.ColorScheme(
45 PColNoColors = coloransi.ColorScheme(
46 'NoColor',
46 'NoColor',
47 in_prompt = InputColors.NoColor, # Input prompt
47 in_prompt = InputColors.NoColor, # Input prompt
48 in_number = InputColors.NoColor, # Input prompt number
48 in_number = InputColors.NoColor, # Input prompt number
49 in_prompt2 = InputColors.NoColor, # Continuation prompt
49 in_prompt2 = InputColors.NoColor, # Continuation prompt
50 in_normal = InputColors.NoColor, # color off (usu. Colors.Normal)
50 in_normal = InputColors.NoColor, # color off (usu. Colors.Normal)
51
51
52 out_prompt = Colors.NoColor, # Output prompt
52 out_prompt = Colors.NoColor, # Output prompt
53 out_number = Colors.NoColor, # Output prompt number
53 out_number = Colors.NoColor, # Output prompt number
54
54
55 normal = Colors.NoColor # color off (usu. Colors.Normal)
55 normal = Colors.NoColor # color off (usu. Colors.Normal)
56 )
56 )
57
57
58 # make some schemes as instances so we can copy them for modification easily:
58 # make some schemes as instances so we can copy them for modification easily:
59 PColLinux = coloransi.ColorScheme(
59 PColLinux = coloransi.ColorScheme(
60 'Linux',
60 'Linux',
61 in_prompt = InputColors.Green,
61 in_prompt = InputColors.Green,
62 in_number = InputColors.LightGreen,
62 in_number = InputColors.LightGreen,
63 in_prompt2 = InputColors.Green,
63 in_prompt2 = InputColors.Green,
64 in_normal = InputColors.Normal, # color off (usu. Colors.Normal)
64 in_normal = InputColors.Normal, # color off (usu. Colors.Normal)
65
65
66 out_prompt = Colors.Red,
66 out_prompt = Colors.Red,
67 out_number = Colors.LightRed,
67 out_number = Colors.LightRed,
68
68
69 normal = Colors.Normal
69 normal = Colors.Normal
70 )
70 )
71
71
72 # Slightly modified Linux for light backgrounds
72 # Slightly modified Linux for light backgrounds
73 PColLightBG = PColLinux.copy('LightBG')
73 PColLightBG = PColLinux.copy('LightBG')
74
74
75 PColLightBG.colors.update(
75 PColLightBG.colors.update(
76 in_prompt = InputColors.Blue,
76 in_prompt = InputColors.Blue,
77 in_number = InputColors.LightBlue,
77 in_number = InputColors.LightBlue,
78 in_prompt2 = InputColors.Blue
78 in_prompt2 = InputColors.Blue
79 )
79 )
80
80
81 #-----------------------------------------------------------------------------
81 #-----------------------------------------------------------------------------
82 # Utilities
82 # Utilities
83 #-----------------------------------------------------------------------------
83 #-----------------------------------------------------------------------------
84
84
85 class LazyEvaluate(object):
85 class LazyEvaluate(object):
86 """This is used for formatting strings with values that need to be updated
86 """This is used for formatting strings with values that need to be updated
87 at that time, such as the current time or working directory."""
87 at that time, such as the current time or working directory."""
88 def __init__(self, func, *args, **kwargs):
88 def __init__(self, func, *args, **kwargs):
89 self.func = func
89 self.func = func
90 self.args = args
90 self.args = args
91 self.kwargs = kwargs
91 self.kwargs = kwargs
92
92
93 def __call__(self, **kwargs):
93 def __call__(self, **kwargs):
94 self.kwargs.update(kwargs)
94 self.kwargs.update(kwargs)
95 return self.func(*self.args, **self.kwargs)
95 return self.func(*self.args, **self.kwargs)
96
96
97 def __str__(self):
97 def __str__(self):
98 return str(self())
98 return py3compat.cast_bytes_py2(self())
99
100 def __unicode__(self):
101 return py3compat.cast_unicode(self())
102
103 def __format__(self, format_spec):
104 return format(unicode(self), format_spec)
99
105
100 def multiple_replace(dict, text):
106 def multiple_replace(dict, text):
101 """ Replace in 'text' all occurences of any key in the given
107 """ Replace in 'text' all occurences of any key in the given
102 dictionary by its corresponding value. Returns the new string."""
108 dictionary by its corresponding value. Returns the new string."""
103
109
104 # Function by Xavier Defrang, originally found at:
110 # Function by Xavier Defrang, originally found at:
105 # http://aspn.activestate.com/ASPN/Cookbook/Python/Recipe/81330
111 # http://aspn.activestate.com/ASPN/Cookbook/Python/Recipe/81330
106
112
107 # Create a regular expression from the dictionary keys
113 # Create a regular expression from the dictionary keys
108 regex = re.compile("(%s)" % "|".join(map(re.escape, dict.keys())))
114 regex = re.compile("(%s)" % "|".join(map(re.escape, dict.keys())))
109 # For each match, look-up corresponding value in dictionary
115 # For each match, look-up corresponding value in dictionary
110 return regex.sub(lambda mo: dict[mo.string[mo.start():mo.end()]], text)
116 return regex.sub(lambda mo: dict[mo.string[mo.start():mo.end()]], text)
111
117
112 #-----------------------------------------------------------------------------
118 #-----------------------------------------------------------------------------
113 # Special characters that can be used in prompt templates, mainly bash-like
119 # Special characters that can be used in prompt templates, mainly bash-like
114 #-----------------------------------------------------------------------------
120 #-----------------------------------------------------------------------------
115
121
116 # If $HOME isn't defined (Windows), make it an absurd string so that it can
122 # If $HOME isn't defined (Windows), make it an absurd string so that it can
117 # never be expanded out into '~'. Basically anything which can never be a
123 # never be expanded out into '~'. Basically anything which can never be a
118 # reasonable directory name will do, we just want the $HOME -> '~' operation
124 # reasonable directory name will do, we just want the $HOME -> '~' operation
119 # to become a no-op. We pre-compute $HOME here so it's not done on every
125 # to become a no-op. We pre-compute $HOME here so it's not done on every
120 # prompt call.
126 # prompt call.
121
127
122 # FIXME:
128 # FIXME:
123
129
124 # - This should be turned into a class which does proper namespace management,
130 # - This should be turned into a class which does proper namespace management,
125 # since the prompt specials need to be evaluated in a certain namespace.
131 # since the prompt specials need to be evaluated in a certain namespace.
126 # Currently it's just globals, which need to be managed manually by code
132 # Currently it's just globals, which need to be managed manually by code
127 # below.
133 # below.
128
134
129 # - I also need to split up the color schemes from the prompt specials
135 # - I also need to split up the color schemes from the prompt specials
130 # somehow. I don't have a clean design for that quite yet.
136 # somehow. I don't have a clean design for that quite yet.
131
137
132 HOME = os.environ.get("HOME","//////:::::ZZZZZ,,,~~~")
138 HOME = os.environ.get("HOME","//////:::::ZZZZZ,,,~~~")
133
139
134 # We precompute a few more strings here for the prompt_specials, which are
140 # We precompute a few more strings here for the prompt_specials, which are
135 # fixed once ipython starts. This reduces the runtime overhead of computing
141 # fixed once ipython starts. This reduces the runtime overhead of computing
136 # prompt strings.
142 # prompt strings.
137 USER = os.environ.get("USER")
143 USER = os.environ.get("USER")
138 HOSTNAME = socket.gethostname()
144 HOSTNAME = socket.gethostname()
139 HOSTNAME_SHORT = HOSTNAME.split(".")[0]
145 HOSTNAME_SHORT = HOSTNAME.split(".")[0]
140 ROOT_SYMBOL = "#" if (os.name=='nt' or os.getuid()==0) else "$"
146 ROOT_SYMBOL = "#" if (os.name=='nt' or os.getuid()==0) else "$"
141
147
142 prompt_abbreviations = {
148 prompt_abbreviations = {
143 # Prompt/history count
149 # Prompt/history count
144 '%n' : '{color.number}' '{count}' '{color.prompt}',
150 '%n' : '{color.number}' '{count}' '{color.prompt}',
145 r'\#': '{color.number}' '{count}' '{color.prompt}',
151 r'\#': '{color.number}' '{count}' '{color.prompt}',
146 # Just the prompt counter number, WITHOUT any coloring wrappers, so users
152 # Just the prompt counter number, WITHOUT any coloring wrappers, so users
147 # can get numbers displayed in whatever color they want.
153 # can get numbers displayed in whatever color they want.
148 r'\N': '{count}',
154 r'\N': '{count}',
149
155
150 # Prompt/history count, with the actual digits replaced by dots. Used
156 # Prompt/history count, with the actual digits replaced by dots. Used
151 # mainly in continuation prompts (prompt_in2)
157 # mainly in continuation prompts (prompt_in2)
152 r'\D': '{dots}',
158 r'\D': '{dots}',
153
159
154 # Current time
160 # Current time
155 r'\T' : '{time}',
161 r'\T' : '{time}',
156 # Current working directory
162 # Current working directory
157 r'\w': '{cwd}',
163 r'\w': '{cwd}',
158 # Basename of current working directory.
164 # Basename of current working directory.
159 # (use os.sep to make this portable across OSes)
165 # (use os.sep to make this portable across OSes)
160 r'\W' : '{cwd_last}',
166 r'\W' : '{cwd_last}',
161 # These X<N> are an extension to the normal bash prompts. They return
167 # These X<N> are an extension to the normal bash prompts. They return
162 # N terms of the path, after replacing $HOME with '~'
168 # N terms of the path, after replacing $HOME with '~'
163 r'\X0': '{cwd_x[0]}',
169 r'\X0': '{cwd_x[0]}',
164 r'\X1': '{cwd_x[1]}',
170 r'\X1': '{cwd_x[1]}',
165 r'\X2': '{cwd_x[2]}',
171 r'\X2': '{cwd_x[2]}',
166 r'\X3': '{cwd_x[3]}',
172 r'\X3': '{cwd_x[3]}',
167 r'\X4': '{cwd_x[4]}',
173 r'\X4': '{cwd_x[4]}',
168 r'\X5': '{cwd_x[5]}',
174 r'\X5': '{cwd_x[5]}',
169 # Y<N> are similar to X<N>, but they show '~' if it's the directory
175 # Y<N> are similar to X<N>, but they show '~' if it's the directory
170 # N+1 in the list. Somewhat like %cN in tcsh.
176 # N+1 in the list. Somewhat like %cN in tcsh.
171 r'\Y0': '{cwd_y[0]}',
177 r'\Y0': '{cwd_y[0]}',
172 r'\Y1': '{cwd_y[1]}',
178 r'\Y1': '{cwd_y[1]}',
173 r'\Y2': '{cwd_y[2]}',
179 r'\Y2': '{cwd_y[2]}',
174 r'\Y3': '{cwd_y[3]}',
180 r'\Y3': '{cwd_y[3]}',
175 r'\Y4': '{cwd_y[4]}',
181 r'\Y4': '{cwd_y[4]}',
176 r'\Y5': '{cwd_y[5]}',
182 r'\Y5': '{cwd_y[5]}',
177 # Hostname up to first .
183 # Hostname up to first .
178 r'\h': HOSTNAME_SHORT,
184 r'\h': HOSTNAME_SHORT,
179 # Full hostname
185 # Full hostname
180 r'\H': HOSTNAME,
186 r'\H': HOSTNAME,
181 # Username of current user
187 # Username of current user
182 r'\u': USER,
188 r'\u': USER,
183 # Escaped '\'
189 # Escaped '\'
184 '\\\\': '\\',
190 '\\\\': '\\',
185 # Newline
191 # Newline
186 r'\n': '\n',
192 r'\n': '\n',
187 # Carriage return
193 # Carriage return
188 r'\r': '\r',
194 r'\r': '\r',
189 # Release version
195 # Release version
190 r'\v': release.version,
196 r'\v': release.version,
191 # Root symbol ($ or #)
197 # Root symbol ($ or #)
192 r'\$': ROOT_SYMBOL,
198 r'\$': ROOT_SYMBOL,
193 }
199 }
194
200
195 #-----------------------------------------------------------------------------
201 #-----------------------------------------------------------------------------
196 # More utilities
202 # More utilities
197 #-----------------------------------------------------------------------------
203 #-----------------------------------------------------------------------------
198
204
199 def cwd_filt(depth):
205 def cwd_filt(depth):
200 """Return the last depth elements of the current working directory.
206 """Return the last depth elements of the current working directory.
201
207
202 $HOME is always replaced with '~'.
208 $HOME is always replaced with '~'.
203 If depth==0, the full path is returned."""
209 If depth==0, the full path is returned."""
204
210
205 cwd = os.getcwd().replace(HOME,"~")
211 cwd = os.getcwdu().replace(HOME,"~")
206 out = os.sep.join(cwd.split(os.sep)[-depth:])
212 out = os.sep.join(cwd.split(os.sep)[-depth:])
207 return out or os.sep
213 return out or os.sep
208
214
209 def cwd_filt2(depth):
215 def cwd_filt2(depth):
210 """Return the last depth elements of the current working directory.
216 """Return the last depth elements of the current working directory.
211
217
212 $HOME is always replaced with '~'.
218 $HOME is always replaced with '~'.
213 If depth==0, the full path is returned."""
219 If depth==0, the full path is returned."""
214
220
215 full_cwd = os.getcwd()
221 full_cwd = os.getcwdu()
216 cwd = full_cwd.replace(HOME,"~").split(os.sep)
222 cwd = full_cwd.replace(HOME,"~").split(os.sep)
217 if '~' in cwd and len(cwd) == depth+1:
223 if '~' in cwd and len(cwd) == depth+1:
218 depth += 1
224 depth += 1
219 drivepart = ''
225 drivepart = ''
220 if sys.platform == 'win32' and len(cwd) > depth:
226 if sys.platform == 'win32' and len(cwd) > depth:
221 drivepart = os.path.splitdrive(full_cwd)[0]
227 drivepart = os.path.splitdrive(full_cwd)[0]
222 out = drivepart + '/'.join(cwd[-depth:])
228 out = drivepart + '/'.join(cwd[-depth:])
223
229
224 return out or os.sep
230 return out or os.sep
225
231
226 #-----------------------------------------------------------------------------
232 #-----------------------------------------------------------------------------
227 # Prompt classes
233 # Prompt classes
228 #-----------------------------------------------------------------------------
234 #-----------------------------------------------------------------------------
229
235
230 lazily_evaluate = {'time': LazyEvaluate(time.strftime, "%H:%M:%S"),
236 lazily_evaluate = {'time': LazyEvaluate(time.strftime, "%H:%M:%S"),
231 'cwd': LazyEvaluate(os.getcwd),
237 'cwd': LazyEvaluate(os.getcwdu),
232 'cwd_last': LazyEvaluate(lambda: os.getcwd().split(os.sep)[-1]),
238 'cwd_last': LazyEvaluate(lambda: os.getcwdu().split(os.sep)[-1]),
233 'cwd_x': [LazyEvaluate(lambda: os.getcwd().replace("%s","~"))] +\
239 'cwd_x': [LazyEvaluate(lambda: os.getcwdu().replace("%s","~"))] +\
234 [LazyEvaluate(cwd_filt, x) for x in range(1,6)],
240 [LazyEvaluate(cwd_filt, x) for x in range(1,6)],
235 'cwd_y': [LazyEvaluate(cwd_filt2, x) for x in range(6)]
241 'cwd_y': [LazyEvaluate(cwd_filt2, x) for x in range(6)]
236 }
242 }
237
243
238 def _lenlastline(s):
244 def _lenlastline(s):
239 """Get the length of the last line. More intelligent than
245 """Get the length of the last line. More intelligent than
240 len(s.splitlines()[-1]).
246 len(s.splitlines()[-1]).
241 """
247 """
242 if not s or s.endswith(('\n', '\r')):
248 if not s or s.endswith(('\n', '\r')):
243 return 0
249 return 0
244 return len(s.splitlines()[-1])
250 return len(s.splitlines()[-1])
245
251
246
252
247 class UserNSFormatter(Formatter):
253 class UserNSFormatter(Formatter):
248 """A Formatter that falls back on a shell's user_ns and __builtins__ for name resolution"""
254 """A Formatter that falls back on a shell's user_ns and __builtins__ for name resolution"""
249 def __init__(self, shell):
255 def __init__(self, shell):
250 self.shell = shell
256 self.shell = shell
251
257
252 def get_value(self, key, args, kwargs):
258 def get_value(self, key, args, kwargs):
253 # try regular formatting first:
259 # try regular formatting first:
254 try:
260 try:
255 return Formatter.get_value(self, key, args, kwargs)
261 return Formatter.get_value(self, key, args, kwargs)
256 except Exception:
262 except Exception:
257 pass
263 pass
258 # next, look in user_ns and builtins:
264 # next, look in user_ns and builtins:
259 for container in (self.shell.user_ns, __builtins__):
265 for container in (self.shell.user_ns, __builtins__):
260 if key in container:
266 if key in container:
261 return container[key]
267 return container[key]
262 # nothing found, put error message in its place
268 # nothing found, put error message in its place
263 return "<ERROR: '%s' not found>" % key
269 return "<ERROR: '%s' not found>" % key
264
270
265
271
266 class PromptManager(Configurable):
272 class PromptManager(Configurable):
267 """This is the primary interface for producing IPython's prompts."""
273 """This is the primary interface for producing IPython's prompts."""
268 shell = Instance('IPython.core.interactiveshell.InteractiveShellABC')
274 shell = Instance('IPython.core.interactiveshell.InteractiveShellABC')
269
275
270 color_scheme_table = Instance(coloransi.ColorSchemeTable)
276 color_scheme_table = Instance(coloransi.ColorSchemeTable)
271 color_scheme = Unicode('Linux', config=True)
277 color_scheme = Unicode('Linux', config=True)
272 def _color_scheme_changed(self, name, new_value):
278 def _color_scheme_changed(self, name, new_value):
273 self.color_scheme_table.set_active_scheme(new_value)
279 self.color_scheme_table.set_active_scheme(new_value)
274 for pname in ['in', 'in2', 'out', 'rewrite']:
280 for pname in ['in', 'in2', 'out', 'rewrite']:
275 # We need to recalculate the number of invisible characters
281 # We need to recalculate the number of invisible characters
276 self.update_prompt(pname)
282 self.update_prompt(pname)
277
283
278 lazy_evaluate_fields = Dict(help="""
284 lazy_evaluate_fields = Dict(help="""
279 This maps field names used in the prompt templates to functions which
285 This maps field names used in the prompt templates to functions which
280 will be called when the prompt is rendered. This allows us to include
286 will be called when the prompt is rendered. This allows us to include
281 things like the current time in the prompts. Functions are only called
287 things like the current time in the prompts. Functions are only called
282 if they are used in the prompt.
288 if they are used in the prompt.
283 """)
289 """)
284 def _lazy_evaluate_fields_default(self): return lazily_evaluate.copy()
290 def _lazy_evaluate_fields_default(self): return lazily_evaluate.copy()
285
291
286 in_template = Unicode('In [\\#]: ', config=True,
292 in_template = Unicode('In [\\#]: ', config=True,
287 help="Input prompt. '\\#' will be transformed to the prompt number")
293 help="Input prompt. '\\#' will be transformed to the prompt number")
288 in2_template = Unicode(' .\\D.: ', config=True,
294 in2_template = Unicode(' .\\D.: ', config=True,
289 help="Continuation prompt.")
295 help="Continuation prompt.")
290 out_template = Unicode('Out[\\#]: ', config=True,
296 out_template = Unicode('Out[\\#]: ', config=True,
291 help="Output prompt. '\\#' will be transformed to the prompt number")
297 help="Output prompt. '\\#' will be transformed to the prompt number")
292
298
293 justify = Bool(True, config=True, help="""
299 justify = Bool(True, config=True, help="""
294 If True (default), each prompt will be right-aligned with the
300 If True (default), each prompt will be right-aligned with the
295 preceding one.
301 preceding one.
296 """)
302 """)
297
303
298 # We actually store the expanded templates here:
304 # We actually store the expanded templates here:
299 templates = Dict()
305 templates = Dict()
300
306
301 # The number of characters in the last prompt rendered, not including
307 # The number of characters in the last prompt rendered, not including
302 # colour characters.
308 # colour characters.
303 width = Int()
309 width = Int()
304 txtwidth = Int() # Not including right-justification
310 txtwidth = Int() # Not including right-justification
305
311
306 # The number of characters in each prompt which don't contribute to width
312 # The number of characters in each prompt which don't contribute to width
307 invisible_chars = Dict()
313 invisible_chars = Dict()
308 def _invisible_chars_default(self):
314 def _invisible_chars_default(self):
309 return {'in': 0, 'in2': 0, 'out': 0, 'rewrite':0}
315 return {'in': 0, 'in2': 0, 'out': 0, 'rewrite':0}
310
316
311 def __init__(self, shell, config=None):
317 def __init__(self, shell, config=None):
312 super(PromptManager, self).__init__(shell=shell, config=config)
318 super(PromptManager, self).__init__(shell=shell, config=config)
313
319
314 # Prepare colour scheme table
320 # Prepare colour scheme table
315 self.color_scheme_table = coloransi.ColorSchemeTable([PColNoColors,
321 self.color_scheme_table = coloransi.ColorSchemeTable([PColNoColors,
316 PColLinux, PColLightBG], self.color_scheme)
322 PColLinux, PColLightBG], self.color_scheme)
317
323
318 self._formatter = UserNSFormatter(shell)
324 self._formatter = UserNSFormatter(shell)
319 # Prepare templates & numbers of invisible characters
325 # Prepare templates & numbers of invisible characters
320 self.update_prompt('in', self.in_template)
326 self.update_prompt('in', self.in_template)
321 self.update_prompt('in2', self.in2_template)
327 self.update_prompt('in2', self.in2_template)
322 self.update_prompt('out', self.out_template)
328 self.update_prompt('out', self.out_template)
323 self.update_prompt('rewrite')
329 self.update_prompt('rewrite')
324 self.on_trait_change(self._update_prompt_trait, ['in_template',
330 self.on_trait_change(self._update_prompt_trait, ['in_template',
325 'in2_template', 'out_template'])
331 'in2_template', 'out_template'])
326
332
327 def update_prompt(self, name, new_template=None):
333 def update_prompt(self, name, new_template=None):
328 """This is called when a prompt template is updated. It processes
334 """This is called when a prompt template is updated. It processes
329 abbreviations used in the prompt template (like \#) and calculates how
335 abbreviations used in the prompt template (like \#) and calculates how
330 many invisible characters (ANSI colour escapes) the resulting prompt
336 many invisible characters (ANSI colour escapes) the resulting prompt
331 contains.
337 contains.
332
338
333 It is also called for each prompt on changing the colour scheme. In both
339 It is also called for each prompt on changing the colour scheme. In both
334 cases, traitlets should take care of calling this automatically.
340 cases, traitlets should take care of calling this automatically.
335 """
341 """
336 if new_template is not None:
342 if new_template is not None:
337 self.templates[name] = multiple_replace(prompt_abbreviations, new_template)
343 self.templates[name] = multiple_replace(prompt_abbreviations, new_template)
338 # We count invisible characters (colour escapes) on the last line of the
344 # We count invisible characters (colour escapes) on the last line of the
339 # prompt, to calculate the width for lining up subsequent prompts.
345 # prompt, to calculate the width for lining up subsequent prompts.
340 invis_chars = _lenlastline(self._render(name, color=True)) - \
346 invis_chars = _lenlastline(self._render(name, color=True)) - \
341 _lenlastline(self._render(name, color=False))
347 _lenlastline(self._render(name, color=False))
342 self.invisible_chars[name] = invis_chars
348 self.invisible_chars[name] = invis_chars
343
349
344 def _update_prompt_trait(self, traitname, new_template):
350 def _update_prompt_trait(self, traitname, new_template):
345 name = traitname[:-9] # Cut off '_template'
351 name = traitname[:-9] # Cut off '_template'
346 self.update_prompt(name, new_template)
352 self.update_prompt(name, new_template)
347
353
348 def _render(self, name, color=True, **kwargs):
354 def _render(self, name, color=True, **kwargs):
349 """Render but don't justify, or update the width or txtwidth attributes.
355 """Render but don't justify, or update the width or txtwidth attributes.
350 """
356 """
351 if name == 'rewrite':
357 if name == 'rewrite':
352 return self._render_rewrite(color=color)
358 return self._render_rewrite(color=color)
353
359
354 if color:
360 if color:
355 scheme = self.color_scheme_table.active_colors
361 scheme = self.color_scheme_table.active_colors
356 if name=='out':
362 if name=='out':
357 colors = color_lists['normal']
363 colors = color_lists['normal']
358 colors.number, colors.prompt, colors.normal = \
364 colors.number, colors.prompt, colors.normal = \
359 scheme.out_number, scheme.out_prompt, scheme.normal
365 scheme.out_number, scheme.out_prompt, scheme.normal
360 else:
366 else:
361 colors = color_lists['inp']
367 colors = color_lists['inp']
362 colors.number, colors.prompt, colors.normal = \
368 colors.number, colors.prompt, colors.normal = \
363 scheme.in_number, scheme.in_prompt, scheme.in_normal
369 scheme.in_number, scheme.in_prompt, scheme.in_normal
364 if name=='in2':
370 if name=='in2':
365 colors.prompt = scheme.in_prompt2
371 colors.prompt = scheme.in_prompt2
366 else:
372 else:
367 # No color
373 # No color
368 colors = color_lists['nocolor']
374 colors = color_lists['nocolor']
369 colors.number, colors.prompt, colors.normal = '', '', ''
375 colors.number, colors.prompt, colors.normal = '', '', ''
370
376
371 count = self.shell.execution_count # Shorthand
377 count = self.shell.execution_count # Shorthand
372 # Build the dictionary to be passed to string formatting
378 # Build the dictionary to be passed to string formatting
373 fmtargs = dict(color=colors, count=count,
379 fmtargs = dict(color=colors, count=count,
374 dots="."*len(str(count)),
380 dots="."*len(str(count)),
375 width=self.width, txtwidth=self.txtwidth )
381 width=self.width, txtwidth=self.txtwidth )
376 fmtargs.update(self.lazy_evaluate_fields)
382 fmtargs.update(self.lazy_evaluate_fields)
377 fmtargs.update(kwargs)
383 fmtargs.update(kwargs)
378
384
379 # Prepare the prompt
385 # Prepare the prompt
380 prompt = colors.prompt + self.templates[name] + colors.normal
386 prompt = colors.prompt + self.templates[name] + colors.normal
381
387
382 # Fill in required fields
388 # Fill in required fields
383 return self._formatter.format(prompt, **fmtargs)
389 return self._formatter.format(prompt, **fmtargs)
384
390
385 def _render_rewrite(self, color=True):
391 def _render_rewrite(self, color=True):
386 """Render the ---> rewrite prompt."""
392 """Render the ---> rewrite prompt."""
387 if color:
393 if color:
388 scheme = self.color_scheme_table.active_colors
394 scheme = self.color_scheme_table.active_colors
389 # We need a non-input version of these escapes
395 # We need a non-input version of these escapes
390 color_prompt = scheme.in_prompt.replace("\001","").replace("\002","")
396 color_prompt = scheme.in_prompt.replace("\001","").replace("\002","")
391 color_normal = scheme.normal
397 color_normal = scheme.normal
392 else:
398 else:
393 color_prompt, color_normal = '', ''
399 color_prompt, color_normal = '', ''
394
400
395 return color_prompt + "-> ".rjust(self.txtwidth, "-") + color_normal
401 return color_prompt + "-> ".rjust(self.txtwidth, "-") + color_normal
396
402
397 def render(self, name, color=True, just=None, **kwargs):
403 def render(self, name, color=True, just=None, **kwargs):
398 """
404 """
399 Render the selected prompt.
405 Render the selected prompt.
400
406
401 Parameters
407 Parameters
402 ----------
408 ----------
403 name : str
409 name : str
404 Which prompt to render. One of 'in', 'in2', 'out', 'rewrite'
410 Which prompt to render. One of 'in', 'in2', 'out', 'rewrite'
405 color : bool
411 color : bool
406 If True (default), include ANSI escape sequences for a coloured prompt.
412 If True (default), include ANSI escape sequences for a coloured prompt.
407 just : bool
413 just : bool
408 If True, justify the prompt to the width of the last prompt. The
414 If True, justify the prompt to the width of the last prompt. The
409 default is stored in self.justify.
415 default is stored in self.justify.
410 **kwargs :
416 **kwargs :
411 Additional arguments will be passed to the string formatting operation,
417 Additional arguments will be passed to the string formatting operation,
412 so they can override the values that would otherwise fill in the
418 so they can override the values that would otherwise fill in the
413 template.
419 template.
414
420
415 Returns
421 Returns
416 -------
422 -------
417 A string containing the rendered prompt.
423 A string containing the rendered prompt.
418 """
424 """
419 res = self._render(name, color=color, **kwargs)
425 res = self._render(name, color=color, **kwargs)
420
426
421 # Handle justification of prompt
427 # Handle justification of prompt
422 invis_chars = self.invisible_chars[name] if color else 0
428 invis_chars = self.invisible_chars[name] if color else 0
423 self.txtwidth = _lenlastline(res) - invis_chars
429 self.txtwidth = _lenlastline(res) - invis_chars
424 just = self.justify if (just is None) else just
430 just = self.justify if (just is None) else just
425 # If the prompt spans more than one line, don't try to justify it:
431 # If the prompt spans more than one line, don't try to justify it:
426 if just and name != 'in' and ('\n' not in res) and ('\r' not in res):
432 if just and name != 'in' and ('\n' not in res) and ('\r' not in res):
427 res = res.rjust(self.width + invis_chars)
433 res = res.rjust(self.width + invis_chars)
428 self.width = _lenlastline(res) - invis_chars
434 self.width = _lenlastline(res) - invis_chars
429 return res
435 return res
General Comments 0
You need to be logged in to leave comments. Login now