##// END OF EJS Templates
And again
nfgf -
Show More
@@ -1,331 +1,331 b''
1 1 # -*- coding: utf-8 -*-
2 2 """Displayhook for IPython.
3 3
4 4 This defines a callable class that IPython uses for `sys.displayhook`.
5 5 """
6 6
7 7 # Copyright (c) IPython Development Team.
8 8 # Distributed under the terms of the Modified BSD License.
9 9
10 10 import builtins as builtin_mod
11 11 import sys
12 12 import io as _io
13 13 import tokenize
14 14
15 15 from traitlets.config.configurable import Configurable
16 16 from traitlets import Instance, Float
17 17 from warnings import warn
18 18
19 19 # TODO: Move the various attributes (cache_size, [others now moved]). Some
20 20 # of these are also attributes of InteractiveShell. They should be on ONE object
21 21 # only and the other objects should ask that one object for their values.
22 22
23 23 class DisplayHook(Configurable):
24 24 """The custom IPython displayhook to replace sys.displayhook.
25 25
26 26 This class does many things, but the basic idea is that it is a callable
27 27 that gets called anytime user code returns a value.
28 28 """
29 29
30 30 shell = Instance('IPython.core.interactiveshell.InteractiveShellABC',
31 31 allow_none=True)
32 32 exec_result = Instance('IPython.core.interactiveshell.ExecutionResult',
33 33 allow_none=True)
34 34 cull_fraction = Float(0.2)
35 35
36 36 def __init__(self, shell=None, cache_size=1000, **kwargs):
37 37 super(DisplayHook, self).__init__(shell=shell, **kwargs)
38 38 cache_size_min = 3
39 39 if cache_size <= 0:
40 40 self.do_full_cache = 0
41 41 cache_size = 0
42 42 elif cache_size < cache_size_min:
43 43 self.do_full_cache = 0
44 44 cache_size = 0
45 45 warn('caching was disabled (min value for cache size is %s).' %
46 46 cache_size_min,stacklevel=3)
47 47 else:
48 48 self.do_full_cache = 1
49 49
50 50 self.cache_size = cache_size
51 51
52 52 # we need a reference to the user-level namespace
53 53 self.shell = shell
54 54
55 55 self._,self.__,self.___ = '','',''
56 56
57 57 # these are deliberately global:
58 58 to_user_ns = {'_':self._,'__':self.__,'___':self.___}
59 59 self.shell.user_ns.update(to_user_ns)
60 60
61 61 @property
62 62 def prompt_count(self):
63 63 return self.shell.execution_count
64 64
65 65 #-------------------------------------------------------------------------
66 66 # Methods used in __call__. Override these methods to modify the behavior
67 67 # of the displayhook.
68 68 #-------------------------------------------------------------------------
69 69
70 70 def check_for_underscore(self):
71 71 """Check if the user has set the '_' variable by hand."""
72 72 # If something injected a '_' variable in __builtin__, delete
73 73 # ipython's automatic one so we don't clobber that. gettext() in
74 74 # particular uses _, so we need to stay away from it.
75 75 if '_' in builtin_mod.__dict__:
76 76 try:
77 77 user_value = self.shell.user_ns['_']
78 78 if user_value is not self._:
79 79 return
80 80 del self.shell.user_ns['_']
81 81 except KeyError:
82 82 pass
83 83
84 84 def quiet(self):
85 85 """Should we silence the display hook because of ';'?"""
86 86 # do not print output if input ends in ';'
87 87
88 88 try:
89 89 cell = self.shell.history_manager.input_hist_parsed[-1]
90 90 except IndexError:
91 91 # some uses of ipshellembed may fail here
92 92 return False
93 93
94 94 return self.semicolon_at_end_of_expression(cell)
95
95
96 96 @staticmethod
97 97 def semicolon_at_end_of_expression(expression):
98 98 """Parse Python expression and detects whether last token is ';'"""
99 99
100 100 sio = _io.StringIO(expression)
101 101 tokens = list(tokenize.generate_tokens(sio.readline))
102 102
103 103 for token in reversed(tokens):
104 104 if token[0] in (tokenize.ENDMARKER, tokenize.NL, tokenize.NEWLINE, tokenize.COMMENT):
105 105 continue
106 106 if (token[0] == tokenize.OP) and (token[1] == ';'):
107 107 return True
108 108 else:
109 109 return False
110 110
111 111 def start_displayhook(self):
112 112 """Start the displayhook, initializing resources."""
113 113 pass
114 114
115 115 def write_output_prompt(self):
116 116 """Write the output prompt.
117 117
118 118 The default implementation simply writes the prompt to
119 119 ``sys.stdout``.
120 120 """
121 121 # Use write, not print which adds an extra space.
122 122 sys.stdout.write(self.shell.separate_out)
123 123 outprompt = 'Out[{}]: '.format(self.shell.execution_count)
124 124 if self.do_full_cache:
125 125 sys.stdout.write(outprompt)
126 126
127 127 def compute_format_data(self, result):
128 128 """Compute format data of the object to be displayed.
129 129
130 130 The format data is a generalization of the :func:`repr` of an object.
131 131 In the default implementation the format data is a :class:`dict` of
132 132 key value pair where the keys are valid MIME types and the values
133 133 are JSON'able data structure containing the raw data for that MIME
134 134 type. It is up to frontends to determine pick a MIME to to use and
135 135 display that data in an appropriate manner.
136 136
137 137 This method only computes the format data for the object and should
138 138 NOT actually print or write that to a stream.
139 139
140 140 Parameters
141 141 ----------
142 142 result : object
143 143 The Python object passed to the display hook, whose format will be
144 144 computed.
145 145
146 146 Returns
147 147 -------
148 148 (format_dict, md_dict) : dict
149 149 format_dict is a :class:`dict` whose keys are valid MIME types and values are
150 150 JSON'able raw data for that MIME type. It is recommended that
151 151 all return values of this should always include the "text/plain"
152 152 MIME type representation of the object.
153 153 md_dict is a :class:`dict` with the same MIME type keys
154 154 of metadata associated with each output.
155 155
156 156 """
157 157 return self.shell.display_formatter.format(result)
158 158
159 159 # This can be set to True by the write_output_prompt method in a subclass
160 160 prompt_end_newline = False
161 161
162 162 def write_format_data(self, format_dict, md_dict=None) -> None:
163 163 """Write the format data dict to the frontend.
164 164
165 165 This default version of this method simply writes the plain text
166 166 representation of the object to ``sys.stdout``. Subclasses should
167 167 override this method to send the entire `format_dict` to the
168 168 frontends.
169 169
170 170 Parameters
171 171 ----------
172 172 format_dict : dict
173 173 The format dict for the object passed to `sys.displayhook`.
174 174 md_dict : dict (optional)
175 175 The metadata dict to be associated with the display data.
176 176 """
177 177 if 'text/plain' not in format_dict:
178 178 # nothing to do
179 179 return
180 180 # We want to print because we want to always make sure we have a
181 181 # newline, even if all the prompt separators are ''. This is the
182 182 # standard IPython behavior.
183 183 result_repr = format_dict['text/plain']
184 184 if '\n' in result_repr:
185 185 # So that multi-line strings line up with the left column of
186 186 # the screen, instead of having the output prompt mess up
187 187 # their first line.
188 188 # We use the prompt template instead of the expanded prompt
189 189 # because the expansion may add ANSI escapes that will interfere
190 190 # with our ability to determine whether or not we should add
191 191 # a newline.
192 192 if not self.prompt_end_newline:
193 193 # But avoid extraneous empty lines.
194 194 result_repr = '\n' + result_repr
195 195
196 196 try:
197 197 print(result_repr)
198 198 except UnicodeEncodeError:
199 199 # If a character is not supported by the terminal encoding replace
200 200 # it with its \u or \x representation
201 201 print(result_repr.encode(sys.stdout.encoding,'backslashreplace').decode(sys.stdout.encoding))
202 202
203 203 def update_user_ns(self, result):
204 204 """Update user_ns with various things like _, __, _1, etc."""
205 205
206 206 # Avoid recursive reference when displaying _oh/Out
207 207 if self.cache_size and result is not self.shell.user_ns['_oh']:
208 208 if len(self.shell.user_ns['_oh']) >= self.cache_size and self.do_full_cache:
209 209 self.cull_cache()
210 210
211 211 # Don't overwrite '_' and friends if '_' is in __builtin__
212 212 # (otherwise we cause buggy behavior for things like gettext). and
213 213 # do not overwrite _, __ or ___ if one of these has been assigned
214 214 # by the user.
215 215 update_unders = True
216 216 for unders in ['_'*i for i in range(1,4)]:
217 217 if not unders in self.shell.user_ns:
218 218 continue
219 219 if getattr(self, unders) is not self.shell.user_ns.get(unders):
220 220 update_unders = False
221 221
222 222 self.___ = self.__
223 223 self.__ = self._
224 224 self._ = result
225 225
226 226 if ('_' not in builtin_mod.__dict__) and (update_unders):
227 227 self.shell.push({'_':self._,
228 228 '__':self.__,
229 229 '___':self.___}, interactive=False)
230 230
231 231 # hackish access to top-level namespace to create _1,_2... dynamically
232 232 to_main = {}
233 233 if self.do_full_cache:
234 234 new_result = '_%s' % self.prompt_count
235 235 to_main[new_result] = result
236 236 self.shell.push(to_main, interactive=False)
237 237 self.shell.user_ns['_oh'][self.prompt_count] = result
238 238
239 239 def fill_exec_result(self, result):
240 240 if self.exec_result is not None:
241 241 self.exec_result.result = result
242 242
243 243 def log_output(self, format_dict):
244 244 """Log the output."""
245 245 if 'text/plain' not in format_dict:
246 246 # nothing to do
247 247 return
248 248 if self.shell.logger.log_output:
249 249 self.shell.logger.log_write(format_dict['text/plain'], 'output')
250 250 self.shell.history_manager.output_hist_reprs[self.prompt_count] = \
251 251 format_dict['text/plain']
252 252
253 253 def finish_displayhook(self):
254 254 """Finish up all displayhook activities."""
255 255 sys.stdout.write(self.shell.separate_out2)
256 256 sys.stdout.flush()
257 257
258 258 def __call__(self, result=None):
259 259 """Printing with history cache management.
260 260
261 261 This is invoked every time the interpreter needs to print, and is
262 262 activated by setting the variable sys.displayhook to it.
263 263 """
264 264 self.check_for_underscore()
265 265 if result is not None and not self.quiet():
266 266 self.start_displayhook()
267 267 self.write_output_prompt()
268 268 format_dict, md_dict = self.compute_format_data(result)
269 269 self.update_user_ns(result)
270 270 self.fill_exec_result(result)
271 271 if format_dict:
272 272 self.write_format_data(format_dict, md_dict)
273 273 self.log_output(format_dict)
274 274 self.finish_displayhook()
275 275
276 276 def cull_cache(self):
277 277 """Output cache is full, cull the oldest entries"""
278 278 oh = self.shell.user_ns.get('_oh', {})
279 279 sz = len(oh)
280 280 cull_count = max(int(sz * self.cull_fraction), 2)
281 281 warn('Output cache limit (currently {sz} entries) hit.\n'
282 282 'Flushing oldest {cull_count} entries.'.format(sz=sz, cull_count=cull_count))
283 283
284 284 for i, n in enumerate(sorted(oh)):
285 285 if i >= cull_count:
286 286 break
287 287 self.shell.user_ns.pop('_%i' % n, None)
288 288 oh.pop(n, None)
289 289
290 290
291 291 def flush(self):
292 292 if not self.do_full_cache:
293 293 raise ValueError("You shouldn't have reached the cache flush "
294 294 "if full caching is not enabled!")
295 295 # delete auto-generated vars from global namespace
296 296
297 297 for n in range(1,self.prompt_count + 1):
298 298 key = '_'+repr(n)
299 299 try:
300 300 del self.shell.user_ns[key]
301 301 except: pass
302 302 # In some embedded circumstances, the user_ns doesn't have the
303 303 # '_oh' key set up.
304 304 oh = self.shell.user_ns.get('_oh', None)
305 305 if oh is not None:
306 306 oh.clear()
307 307
308 308 # Release our own references to objects:
309 309 self._, self.__, self.___ = '', '', ''
310 310
311 311 if '_' not in builtin_mod.__dict__:
312 312 self.shell.user_ns.update({'_':self._,'__':self.__,'___':self.___})
313 313 import gc
314 314 # TODO: Is this really needed?
315 315 # IronPython blocks here forever
316 316 if sys.platform != "cli":
317 317 gc.collect()
318 318
319 319
320 320 class CapturingDisplayHook(object):
321 321 def __init__(self, shell, outputs=None):
322 322 self.shell = shell
323 323 if outputs is None:
324 324 outputs = []
325 325 self.outputs = outputs
326 326
327 327 def __call__(self, result=None):
328 328 if result is None:
329 329 return
330 330 format_dict, md_dict = self.shell.display_formatter.format(result)
331 331 self.outputs.append({ 'data': format_dict, 'metadata': md_dict })
General Comments 0
You need to be logged in to leave comments. Login now