9

我有这段代码可以从文件夹中的所有文本文件中生成多个图。它运行得很好并显示了情节,但我不知道如何保存它们。

import re
import numpy as np
import matplotlib.pyplot as plt
import pylab as pl
import os

rootdir='C:\documents\Neighbors for each search id'

for subdir,dirs,files in os.walk(rootdir):
 for file in files:
  f=open(os.path.join(subdir,file),'r')
  print file
  data=np.loadtxt(f)

  #plot data
  pl.plot(data[:,1], data[:,2], 'gs')

  #Put in the errors
  pl.errorbar(data[:,1], data[:,2], data[:,3], data[:,4], fmt='ro')

  #Dashed lines showing pmRa=0 and pmDec=0
  pl.axvline(0,linestyle='--', color='k')
  pl.axhline(0,linestyle='--', color='k')
  pl.show()

  f.close()

我以前用过

fileName="C:\documents\FirstPlot.png"
plt.savefig(fileName, format="png")

但我认为这只是将每个图形保存到一个文件中并覆盖最后一个文件。

4

2 回答 2

11

您所要做的就是提供唯一的文件名。您可以使用计数器:

fileNameTemplate = r'C:\documents\Plot{0:02d}.png'

for subdir,dirs,files in os.walk(rootdir):
    for count, file in enumerate(files):
        # Generate a plot in `pl`
        pl.savefig(fileNameTemplate.format(count), format='png')
        pl.clf()  # Clear the figure for the next loop

我做了什么:

于 2012-11-25T20:28:19.730 回答
0

您正在做正确的事情来保存绘图(只需将该代码放在 之前f.close(),并确保使用pl.savefig而不是plt.savefig,因为您导入pyplotpl)。你只需要给每个输出图一个不同的文件名。

一种方法是添加一个计数器变量,该变量会随着您通过的每个文件而递增,并将其添加到文件名中,例如,执行以下操作:

fileName = "C:\documents\Plot-%04d.png" % ifile

另一种选择是根据输入的文件名创建一个唯一的输出文件名。您可以尝试以下方法:

fileName = "C:\documents\Plot-" + "_".join(os.path.split(os.path.join(subdir,file))) + ".png"

这将采用输入路径,并将任何路径分隔符替换为_. 您可以将其用作输出文件名的一部分。

于 2012-11-25T20:27:55.260 回答