148

我需要在文件中创建一个图形而不在 IPython 笔记本中显示它。我不清楚这方面的相互IPython关系matplotlib.pylab。但是,当我调用pylab.savefig("test.png")当前图形时,除了保存在test.png. 在自动创建大量绘图文件时,这通常是不可取的。或者在需要由另一个应用程序进行外部处理的中间文件的情况下。

不确定这是一个问题matplotlib还是IPython笔记本问题。

4

2 回答 2

216

这是一个 matplotlib 问题,您可以通过使用不向用户显示的后端来解决这个问题,例如“Agg”:

import matplotlib
matplotlib.use('Agg')
import matplotlib.pyplot as plt

plt.plot([1,2,3])
plt.savefig('/tmp/test.png')

编辑:如果您不想失去显示绘图的能力,请关闭Interactive Mode,并且仅plt.show()在您准备好显示绘图时调用:

import matplotlib.pyplot as plt

# Turn interactive plotting off
plt.ioff()

# Create a new figure, plot into it, then close it so it never gets displayed
fig = plt.figure()
plt.plot([1,2,3])
plt.savefig('/tmp/test0.png')
plt.close(fig)

# Create a new figure, plot into it, then don't close it so it does get displayed
plt.figure()
plt.plot([1,3,2])
plt.savefig('/tmp/test1.png')

# Display all "open" (non-closed) figures
plt.show()
于 2013-03-30T00:35:53.430 回答
87

我们不需要plt.ioff()or plt.show()(如果我们使用%matplotlib inline)。您可以在没有plt.ioff(). plt.close()具有重要作用。试试这个:

%matplotlib inline
import pylab as plt

# It doesn't matter you add line below. You can even replace it by 'plt.ion()', but you will see no changes.
## plt.ioff()

# Create a new figure, plot into it, then close it so it never gets displayed
fig = plt.figure()
plt.plot([1,2,3])
plt.savefig('test0.png')
plt.close(fig)

# Create a new figure, plot into it, then don't close it so it does get displayed
fig2 = plt.figure()
plt.plot([1,3,2])
plt.savefig('test1.png')

如果您在 iPython 中运行此代码,它将显示第二个图,如果您添加 plt.close(fig2)到它的末尾,您将什么也看不到。

总之,如果您关闭 figure by plt.close(fig),它将不会显示。

于 2015-08-06T01:23:54.653 回答