84

如何防止在 Jupyter 笔记本中显示特定的情节?我在笔记本中有几个绘图,但我希望将其中的一部分保存到文件中,并且不会显示在笔记本上,因为这会大大减慢速度。

Jupyter notebook 的一个最小工作示例是:

%matplotlib inline 
from numpy.random import randn
from matplotlib.pyplot import plot, figure
a=randn(3)
b=randn(3)
for i in range(10):
    fig=figure()
    plot(b)
    fname='s%03d.png'%i
    fig.savefig(fname)
    if(i%5==0):
        figure()
        plot(a)

如您所见,我有两种类型的图,a 和 b。我想要绘制和显示 a,我不希望显示 b 图,我只想将它们保存在文件中。希望这会加快速度,不会让我不需要看到的数字污染我的笔记本。

感谢您的时间

4

7 回答 7

111

也许只是清除轴,例如:

fig= plt.figure()
plt.plot(range(10))
fig.savefig("save_file_name.pdf")
plt.close()

不会在inline模式下绘制输出。我无法确定是否真的在清除数据。

于 2013-09-10T11:47:43.513 回答
44

我可以通过使用该功能关闭交互模式来阻止我的数字显示

plt.ioff()

于 2016-03-11T20:51:46.620 回答
36

为了防止来自 jupyter 笔记本单元的任何输出,您可以使用以下命令启动单元

%%capture

这在此处显示的所有其他方法都失败的情况下可能很有用。

于 2017-08-10T14:52:35.020 回答
16

从 IPython 6.0 开始,还有另一个选项可以关闭内联输出(暂时或永久)。这已在此拉取请求中介绍。

您将使用“agg”后端不显示任何内联输出。

%matplotlib agg

似乎如果您首先激活了内联后端,则需要调用两次才能生效。

%matplotlib agg
%matplotlib agg

这是它在行动中的样子

于 2018-03-28T23:23:33.237 回答
8

不过,我是初学者,当您不想通过以下方式在笔记本中查看输出时,请关闭内联模式:

%matplotlib auto

或者:

%matplotlib

使用它:

%matplotlib inline

更好的解决方案是使用:

plt.ioff()

这表示内联模式关闭。

希望能帮助到你。

于 2017-12-11T11:25:03.677 回答
8

在 Jupyter 6.0 上,我使用以下代码段选择性地不显示 matplot lib 图形。

import matplotlib as mpl

...

backend_ =  mpl.get_backend() 
mpl.use("Agg")  # Prevent showing stuff

# Your code

mpl.use(backend_) # Reset backend
于 2019-09-25T07:47:55.273 回答
0

以@importanceofbeingernest 的回答为基础,人们可能会在循环中调用某个函数,并且在每次迭代时,都想要渲染一个绘图。但是,在每个情节之间,您可能需要渲染其他内容。

具体来说:

  1. 迭代一个 ID 列表
  2. 调用一个函数,以便为每个“ID”呈现一个图
  3. 在每个情节之间,渲染一些降价

# <cell begins>
def render(id):
   fig, axes = plt.subplots(2, 1)
   plt.suptitle(f'Metrics for {id}')

   df.ColA.plot.bar(ax=axes[0])
   df.ColB.plot.bar(ax=axes[1])

   return fig

# <cell ends>

# -------------------------------------

# <cell begins>
%matplotlib agg

for id in df.ID.value_counts().index:
   fig = render(id)

   display(fig)
   display(Markdown('---'))

# <cell ends>
于 2021-01-13T08:41:36.477 回答