Coverage for /pythoncovmergedfiles/medio/medio/usr/local/lib/python3.8/site-packages/IPython/core/pylabtools.py: 22%

156 statements  

« prev     ^ index     » next       coverage.py v7.4.4, created at 2024-04-20 06:09 +0000

1# -*- coding: utf-8 -*- 

2"""Pylab (matplotlib) support utilities.""" 

3 

4# Copyright (c) IPython Development Team. 

5# Distributed under the terms of the Modified BSD License. 

6 

7from io import BytesIO 

8from binascii import b2a_base64 

9from functools import partial 

10import warnings 

11 

12from IPython.core.display import _pngxy 

13from IPython.utils.decorators import flag_calls 

14 

15# If user specifies a GUI, that dictates the backend, otherwise we read the 

16# user's mpl default from the mpl rc structure 

17backends = { 

18 "tk": "TkAgg", 

19 "gtk": "GTKAgg", 

20 "gtk3": "GTK3Agg", 

21 "gtk4": "GTK4Agg", 

22 "wx": "WXAgg", 

23 "qt4": "Qt4Agg", 

24 "qt5": "Qt5Agg", 

25 "qt6": "QtAgg", 

26 "qt": "Qt5Agg", 

27 "osx": "MacOSX", 

28 "nbagg": "nbAgg", 

29 "webagg": "WebAgg", 

30 "notebook": "nbAgg", 

31 "agg": "agg", 

32 "svg": "svg", 

33 "pdf": "pdf", 

34 "ps": "ps", 

35 "inline": "module://matplotlib_inline.backend_inline", 

36 "ipympl": "module://ipympl.backend_nbagg", 

37 "widget": "module://ipympl.backend_nbagg", 

38} 

39 

40# We also need a reverse backends2guis mapping that will properly choose which 

41# GUI support to activate based on the desired matplotlib backend. For the 

42# most part it's just a reverse of the above dict, but we also need to add a 

43# few others that map to the same GUI manually: 

44backend2gui = dict(zip(backends.values(), backends.keys())) 

45# In the reverse mapping, there are a few extra valid matplotlib backends that 

46# map to the same GUI support 

47backend2gui["GTK"] = backend2gui["GTKCairo"] = "gtk" 

48backend2gui["GTK3Cairo"] = "gtk3" 

49backend2gui["GTK4Cairo"] = "gtk4" 

50backend2gui["WX"] = "wx" 

51backend2gui["CocoaAgg"] = "osx" 

52# There needs to be a hysteresis here as the new QtAgg Matplotlib backend 

53# supports either Qt5 or Qt6 and the IPython qt event loop support Qt4, Qt5, 

54# and Qt6. 

55backend2gui["QtAgg"] = "qt" 

56backend2gui["Qt4Agg"] = "qt" 

57backend2gui["Qt5Agg"] = "qt" 

58 

59# And some backends that don't need GUI integration 

60del backend2gui["nbAgg"] 

61del backend2gui["agg"] 

62del backend2gui["svg"] 

63del backend2gui["pdf"] 

64del backend2gui["ps"] 

65del backend2gui["module://matplotlib_inline.backend_inline"] 

66del backend2gui["module://ipympl.backend_nbagg"] 

67 

68#----------------------------------------------------------------------------- 

69# Matplotlib utilities 

70#----------------------------------------------------------------------------- 

71 

72 

73def getfigs(*fig_nums): 

74 """Get a list of matplotlib figures by figure numbers. 

75 

76 If no arguments are given, all available figures are returned. If the 

77 argument list contains references to invalid figures, a warning is printed 

78 but the function continues pasting further figures. 

79 

80 Parameters 

81 ---------- 

82 figs : tuple 

83 A tuple of ints giving the figure numbers of the figures to return. 

84 """ 

85 from matplotlib._pylab_helpers import Gcf 

86 if not fig_nums: 

87 fig_managers = Gcf.get_all_fig_managers() 

88 return [fm.canvas.figure for fm in fig_managers] 

89 else: 

90 figs = [] 

91 for num in fig_nums: 

92 f = Gcf.figs.get(num) 

93 if f is None: 

94 print('Warning: figure %s not available.' % num) 

95 else: 

96 figs.append(f.canvas.figure) 

97 return figs 

98 

99 

100def figsize(sizex, sizey): 

101 """Set the default figure size to be [sizex, sizey]. 

102 

103 This is just an easy to remember, convenience wrapper that sets:: 

104 

105 matplotlib.rcParams['figure.figsize'] = [sizex, sizey] 

106 """ 

107 import matplotlib 

108 matplotlib.rcParams['figure.figsize'] = [sizex, sizey] 

109 

110 

111def print_figure(fig, fmt="png", bbox_inches="tight", base64=False, **kwargs): 

112 """Print a figure to an image, and return the resulting file data 

113 

114 Returned data will be bytes unless ``fmt='svg'``, 

115 in which case it will be unicode. 

116 

117 Any keyword args are passed to fig.canvas.print_figure, 

118 such as ``quality`` or ``bbox_inches``. 

119 

120 If `base64` is True, return base64-encoded str instead of raw bytes 

121 for binary-encoded image formats 

122 

123 .. versionadded:: 7.29 

124 base64 argument 

125 """ 

126 # When there's an empty figure, we shouldn't return anything, otherwise we 

127 # get big blank areas in the qt console. 

128 if not fig.axes and not fig.lines: 

129 return 

130 

131 dpi = fig.dpi 

132 if fmt == 'retina': 

133 dpi = dpi * 2 

134 fmt = 'png' 

135 

136 # build keyword args 

137 kw = { 

138 "format":fmt, 

139 "facecolor":fig.get_facecolor(), 

140 "edgecolor":fig.get_edgecolor(), 

141 "dpi":dpi, 

142 "bbox_inches":bbox_inches, 

143 } 

144 # **kwargs get higher priority 

145 kw.update(kwargs) 

146 

147 bytes_io = BytesIO() 

148 if fig.canvas is None: 

149 from matplotlib.backend_bases import FigureCanvasBase 

150 FigureCanvasBase(fig) 

151 

152 fig.canvas.print_figure(bytes_io, **kw) 

153 data = bytes_io.getvalue() 

154 if fmt == 'svg': 

155 data = data.decode('utf-8') 

156 elif base64: 

157 data = b2a_base64(data, newline=False).decode("ascii") 

158 return data 

159 

160def retina_figure(fig, base64=False, **kwargs): 

161 """format a figure as a pixel-doubled (retina) PNG 

162 

163 If `base64` is True, return base64-encoded str instead of raw bytes 

164 for binary-encoded image formats 

165 

166 .. versionadded:: 7.29 

167 base64 argument 

168 """ 

169 pngdata = print_figure(fig, fmt="retina", base64=False, **kwargs) 

170 # Make sure that retina_figure acts just like print_figure and returns 

171 # None when the figure is empty. 

172 if pngdata is None: 

173 return 

174 w, h = _pngxy(pngdata) 

175 metadata = {"width": w//2, "height":h//2} 

176 if base64: 

177 pngdata = b2a_base64(pngdata, newline=False).decode("ascii") 

178 return pngdata, metadata 

179 

180 

181# We need a little factory function here to create the closure where 

182# safe_execfile can live. 

183def mpl_runner(safe_execfile): 

184 """Factory to return a matplotlib-enabled runner for %run. 

185 

186 Parameters 

187 ---------- 

188 safe_execfile : function 

189 This must be a function with the same interface as the 

190 :meth:`safe_execfile` method of IPython. 

191 

192 Returns 

193 ------- 

194 A function suitable for use as the ``runner`` argument of the %run magic 

195 function. 

196 """ 

197 

198 def mpl_execfile(fname,*where,**kw): 

199 """matplotlib-aware wrapper around safe_execfile. 

200 

201 Its interface is identical to that of the :func:`execfile` builtin. 

202 

203 This is ultimately a call to execfile(), but wrapped in safeties to 

204 properly handle interactive rendering.""" 

205 

206 import matplotlib 

207 import matplotlib.pyplot as plt 

208 

209 #print '*** Matplotlib runner ***' # dbg 

210 # turn off rendering until end of script 

211 is_interactive = matplotlib.rcParams['interactive'] 

212 matplotlib.interactive(False) 

213 safe_execfile(fname,*where,**kw) 

214 matplotlib.interactive(is_interactive) 

215 # make rendering call now, if the user tried to do it 

216 if plt.draw_if_interactive.called: 

217 plt.draw() 

218 plt.draw_if_interactive.called = False 

219 

220 # re-draw everything that is stale 

221 try: 

222 da = plt.draw_all 

223 except AttributeError: 

224 pass 

225 else: 

226 da() 

227 

228 return mpl_execfile 

229 

230 

231def _reshow_nbagg_figure(fig): 

232 """reshow an nbagg figure""" 

233 try: 

234 reshow = fig.canvas.manager.reshow 

235 except AttributeError as e: 

236 raise NotImplementedError() from e 

237 else: 

238 reshow() 

239 

240 

241def select_figure_formats(shell, formats, **kwargs): 

242 """Select figure formats for the inline backend. 

243 

244 Parameters 

245 ---------- 

246 shell : InteractiveShell 

247 The main IPython instance. 

248 formats : str or set 

249 One or a set of figure formats to enable: 'png', 'retina', 'jpeg', 'svg', 'pdf'. 

250 **kwargs : any 

251 Extra keyword arguments to be passed to fig.canvas.print_figure. 

252 """ 

253 import matplotlib 

254 from matplotlib.figure import Figure 

255 

256 svg_formatter = shell.display_formatter.formatters['image/svg+xml'] 

257 png_formatter = shell.display_formatter.formatters['image/png'] 

258 jpg_formatter = shell.display_formatter.formatters['image/jpeg'] 

259 pdf_formatter = shell.display_formatter.formatters['application/pdf'] 

260 

261 if isinstance(formats, str): 

262 formats = {formats} 

263 # cast in case of list / tuple 

264 formats = set(formats) 

265 

266 [ f.pop(Figure, None) for f in shell.display_formatter.formatters.values() ] 

267 mplbackend = matplotlib.get_backend().lower() 

268 if mplbackend == 'nbagg' or mplbackend == 'module://ipympl.backend_nbagg': 

269 formatter = shell.display_formatter.ipython_display_formatter 

270 formatter.for_type(Figure, _reshow_nbagg_figure) 

271 

272 supported = {'png', 'png2x', 'retina', 'jpg', 'jpeg', 'svg', 'pdf'} 

273 bad = formats.difference(supported) 

274 if bad: 

275 bs = "%s" % ','.join([repr(f) for f in bad]) 

276 gs = "%s" % ','.join([repr(f) for f in supported]) 

277 raise ValueError("supported formats are: %s not %s" % (gs, bs)) 

278 

279 if "png" in formats: 

280 png_formatter.for_type( 

281 Figure, partial(print_figure, fmt="png", base64=True, **kwargs) 

282 ) 

283 if "retina" in formats or "png2x" in formats: 

284 png_formatter.for_type(Figure, partial(retina_figure, base64=True, **kwargs)) 

285 if "jpg" in formats or "jpeg" in formats: 

286 jpg_formatter.for_type( 

287 Figure, partial(print_figure, fmt="jpg", base64=True, **kwargs) 

288 ) 

289 if "svg" in formats: 

290 svg_formatter.for_type(Figure, partial(print_figure, fmt="svg", **kwargs)) 

291 if "pdf" in formats: 

292 pdf_formatter.for_type( 

293 Figure, partial(print_figure, fmt="pdf", base64=True, **kwargs) 

294 ) 

295 

296#----------------------------------------------------------------------------- 

297# Code for initializing matplotlib and importing pylab 

298#----------------------------------------------------------------------------- 

299 

300 

301def find_gui_and_backend(gui=None, gui_select=None): 

302 """Given a gui string return the gui and mpl backend. 

303 

304 Parameters 

305 ---------- 

306 gui : str 

307 Can be one of ('tk','gtk','wx','qt','qt4','inline','agg'). 

308 gui_select : str 

309 Can be one of ('tk','gtk','wx','qt','qt4','inline'). 

310 This is any gui already selected by the shell. 

311 

312 Returns 

313 ------- 

314 A tuple of (gui, backend) where backend is one of ('TkAgg','GTKAgg', 

315 'WXAgg','Qt4Agg','module://matplotlib_inline.backend_inline','agg'). 

316 """ 

317 

318 import matplotlib 

319 

320 if gui and gui != 'auto': 

321 # select backend based on requested gui 

322 backend = backends[gui] 

323 if gui == 'agg': 

324 gui = None 

325 else: 

326 # We need to read the backend from the original data structure, *not* 

327 # from mpl.rcParams, since a prior invocation of %matplotlib may have 

328 # overwritten that. 

329 # WARNING: this assumes matplotlib 1.1 or newer!! 

330 backend = matplotlib.rcParamsOrig['backend'] 

331 # In this case, we need to find what the appropriate gui selection call 

332 # should be for IPython, so we can activate inputhook accordingly 

333 gui = backend2gui.get(backend, None) 

334 

335 # If we have already had a gui active, we need it and inline are the 

336 # ones allowed. 

337 if gui_select and gui != gui_select: 

338 gui = gui_select 

339 backend = backends[gui] 

340 

341 return gui, backend 

342 

343 

344def activate_matplotlib(backend): 

345 """Activate the given backend and set interactive to True.""" 

346 

347 import matplotlib 

348 matplotlib.interactive(True) 

349 

350 # Matplotlib had a bug where even switch_backend could not force 

351 # the rcParam to update. This needs to be set *before* the module 

352 # magic of switch_backend(). 

353 matplotlib.rcParams['backend'] = backend 

354 

355 # Due to circular imports, pyplot may be only partially initialised 

356 # when this function runs. 

357 # So avoid needing matplotlib attribute-lookup to access pyplot. 

358 from matplotlib import pyplot as plt 

359 

360 plt.switch_backend(backend) 

361 

362 plt.show._needmain = False 

363 # We need to detect at runtime whether show() is called by the user. 

364 # For this, we wrap it into a decorator which adds a 'called' flag. 

365 plt.draw_if_interactive = flag_calls(plt.draw_if_interactive) 

366 

367 

368def import_pylab(user_ns, import_all=True): 

369 """Populate the namespace with pylab-related values. 

370 

371 Imports matplotlib, pylab, numpy, and everything from pylab and numpy. 

372 

373 Also imports a few names from IPython (figsize, display, getfigs) 

374 

375 """ 

376 

377 # Import numpy as np/pyplot as plt are conventions we're trying to 

378 # somewhat standardize on. Making them available to users by default 

379 # will greatly help this. 

380 s = ("import numpy\n" 

381 "import matplotlib\n" 

382 "from matplotlib import pylab, mlab, pyplot\n" 

383 "np = numpy\n" 

384 "plt = pyplot\n" 

385 ) 

386 exec(s, user_ns) 

387 

388 if import_all: 

389 s = ("from matplotlib.pylab import *\n" 

390 "from numpy import *\n") 

391 exec(s, user_ns) 

392 

393 # IPython symbols to add 

394 user_ns['figsize'] = figsize 

395 from IPython.display import display 

396 # Add display and getfigs to the user's namespace 

397 user_ns['display'] = display 

398 user_ns['getfigs'] = getfigs 

399 

400 

401def configure_inline_support(shell, backend): 

402 """ 

403 .. deprecated:: 7.23 

404 

405 use `matplotlib_inline.backend_inline.configure_inline_support()` 

406 

407 Configure an IPython shell object for matplotlib use. 

408 

409 Parameters 

410 ---------- 

411 shell : InteractiveShell instance 

412 backend : matplotlib backend 

413 """ 

414 warnings.warn( 

415 "`configure_inline_support` is deprecated since IPython 7.23, directly " 

416 "use `matplotlib_inline.backend_inline.configure_inline_support()`", 

417 DeprecationWarning, 

418 stacklevel=2, 

419 ) 

420 

421 from matplotlib_inline.backend_inline import ( 

422 configure_inline_support as configure_inline_support_orig, 

423 ) 

424 

425 configure_inline_support_orig(shell, backend)