如何使用 Python 在文件夹中保存多个图?

声明:本页面是StackOverFlow热门问题的中英对照翻译,遵循CC BY-SA 4.0协议,如果您需要使用它,必须同样遵循CC BY-SA许可,注明原文地址和作者信息,同时你必须将它归于原作者(不是我):StackOverFlow 原文地址: http://stackoverflow.com/questions/35630748/
Warning: these are provided under cc-by-sa 4.0 license. You are free to use/share it, But you must attribute it to the original authors (not me): StackOverFlow

提示:将鼠标放在中文语句上可以显示对应的英文。显示中英文
时间:2020-08-19 16:42:53  来源:igfitidea点击:

How could I save multiple plots in a folder using Python?

pythonmatplotlib

提问by Jesu Kiran Spurgen

Here is my program in python and I am trying to save multiple plots in a single folder but it doesn't seem to work. How could I do this please?

这是我在 python 中的程序,我试图在一个文件夹中保存多个图,但它似乎不起作用。请问我该怎么做?

for i in range(0:244):
plt.figure()
y = numpy.array(Data_EMG[i,:])
x = pylab.linspace(EMG_start, EMG_stop, Amount_samples)
plt.xlabel('Time(ms)')
plt.ylabel('EMG voltage(microV)')
pylab.plot(x, y)
pylab.show(block=True)

采纳答案by Renatius

First of all check the identation. Hopefully your code actually reads

首先检查身。希望您的代码实际上可以读取

for i in range(0:244):
    plt.figure()
    y = numpy.array(Data_EMG[i,:])
    x = pylab.linspace(EMG_start, EMG_stop, Amount_samples)
    plt.xlabel('Time(ms)')
    plt.ylabel('EMG voltage(microV)')
    pylab.plot(x, y)
    pylab.show(block=True)

At each iteration you completely generate a new figure. That′s very ineffective. Also you just plot your figure on the screen and not actually save it. Better is

在每次迭代中,您都会完全生成一个新图形。那是非常无效的。此外,您只是在屏幕上绘制您的图形,而不是实际保存它。更好的是

from os import path
data = numpy.array(Data_EMG)                 # convert complete dataset into numpy-array
x = pylab.linspace(EMG_start, EMG_stop, Amount_samples) # doesn′t change in loop anyway

outpath = "path/of/your/folder/"

fig, ax = plt.subplots()        # generate figure with axes
image, = ax.plot(x,data[0])     # initialize plot
ax.xlabel('Time(ms)')
ax.ylabel('EMG voltage(microV)')
plt.draw()
fig.savefig(path.join(outpath,"dataname_0.png")

for i in range(1, len(data)):
    image.set_data(x,data[i])
    plt.draw()
    fig.savefig(path.join(outpath,"dataname_{0}.png".format(i))

Should be much faster.

应该会快很多。

回答by Flavian Hautbois

You can use the savefigfunction.

您可以使用savefig功能。

for i in range(0:244):
    plt.figure()
    y = numpy.array(Data_EMG[i,:])
    x = pylab.linspace(EMG_start, EMG_stop, Amount_samples)
    plt.xlabel('Time(ms)')
    plt.ylabel('EMG voltage(microV)')
    plt.savefig('EMG {0}.jpg'.format(i))
    plt.close()