这里是生成绘图图像并将其保存在与代码相同的目录中的简单代码。现在,有什么方法可以将其保存在选择的目录中吗?
import matplotlib
import matplotlib.pyplot as plt
fig = plt.figure()
ax = fig.add_subplot(111)
ax.plot(range(100))
fig.savefig('graph.png')
如果您要保存的目录是工作目录的子目录,只需在文件名前指定相对路径即可:
fig.savefig('Sub Directory/graph.png')
如果您想使用绝对路径,请导入 os 模块:
import os
my_path = os.path.dirname(os.path.abspath(__file__)) # Figures out the absolute path for you in case your working directory moves around.
...
fig.savefig(my_path + '/Sub Directory/graph.png')
如果您不想担心子目录名称前面的前导斜杠,可以按如下方式智能连接路径:
import os
my_path = os.path.dirname(os.path.abspath(__file__)) # Figures out the absolute path for you in case your working directory moves around.
my_file = 'graph.png'
...
fig.savefig(os.path.join(my_path, my_file))
这是将绘图保存到所选目录的代码。如果该目录不存在,则会创建该目录。
import os
import matplotlib.pyplot as plt
script_dir = os.path.dirname(__file__)
results_dir = os.path.join(script_dir, 'Results/')
sample_file_name = "sample"
if not os.path.isdir(results_dir):
os.makedirs(results_dir)
plt.plot([1,2,3,4])
plt.ylabel('some numbers')
plt.savefig(results_dir + sample_file_name)
根据 docs
savefig
接受文件路径,因此您只需指定完整(或相对)路径而不是文件名。
最简单的方法执行此操作如下:
save_results_to = '/Users/S/Desktop/Results/'
plt.savefig(save_results_to + 'image.png', dpi = 300)
图像将保存在
save_results_to
目录中,名称为image.png
除了已经给出的答案之外,如果你想创建一个新目录,你可以使用这个功能:
def mkdir_p(mypath):
'''Creates a directory. equivalent to using mkdir -p on the command line'''
from errno import EEXIST
from os import makedirs,path
try:
makedirs(mypath)
except OSError as exc: # Python >2.5
if exc.errno == EEXIST and path.isdir(mypath):
pass
else: raise
然后:
import matplotlib
import matplotlib.pyplot as plt
fig = plt.figure()
ax = fig.add_subplot(111)
ax.plot(range(100))
# Create new directory
output_dir = "some/new/directory"
mkdir_p(output_dir)
fig.savefig('{}/graph.png'.format(output_dir))
这是一个使用 Python 版本 2.7.10 和 Sublime Text 2 编辑器保存到目录(外部 USB 驱动器)的简单示例:
import numpy as np
import matplotlib.pyplot as plt
X = np.linspace(-np.pi, np.pi, 256, endpoint = True)
C, S = np.cos(X), np.sin(X)
plt.plot(X, C, color = "blue", linewidth = 1.0, linestyle = "-")
plt.plot(X, S, color = "red", linewidth = 1.0, linestyle = "-")
plt.savefig("/Volumes/seagate/temp_swap/sin_cos_2.png", dpi = 72)
您可以使用以下代码
name ='mypic'
plt.savefig('path_to_file/{}'.format(name))
如果您想保存在代码所在的同一文件夹中,请忽略文件路径并仅使用名称进行格式化。 如果您的 Python 脚本之外的一层有文件夹名称 'Images',您可以使用,
name ='mypic'
plt.savefig('Images/{}'.format(name))
保存时默认文件类型为'.png'文件格式。 如果要循环保存,则可以为每个文件使用唯一的名称,例如 for 循环的计数器。如果我是计数器,
plt.savefig('Images/{}'.format(i))
希望这有帮助。
最简单的方法:
plt.savefig( r'root path' + str(variable) + '.pdf' )
在此示例中,我还创建了一个文件格式并将变量设置为字符串。
'r' 代表根。
例如:
plt.savefig( r'D:\a\b\c' + str(v) + '.pdf' )
享受!!
您只需将文件路径(目录)放在图像名称之前即可。示例:
fig.savefig('/home/user/Documents/graph.png')
其他例子:
fig.savefig('/home/user/Downloads/MyImage.png')