Python繪制loss曲線和準確率曲線實例代碼

引言

使用 python 繪制網絡訓練過程中的的 loss 曲線以及準確率變化曲線,這裡的主要思想就時先把想要的損失值以及準確率值保存下來,保存到 .txt 文件中,待網絡訓練結束,我們再拿這存儲的數據繪制各種曲線。

其大致步驟為:數據讀取與存儲 – > loss曲線繪制 – > 準確率曲線繪制

一、數據讀取與存儲部分

我們首先要得到訓練時的數據,以損失值為例,網絡每迭代一次都會產生相應的 loss,那麼我們就把每一次的損失值都存儲下來,存儲到列表,保存到 .txt 文件中。保存的文件如下圖所示:

[1.3817585706710815, 1.8422836065292358, 1.1619832515716553, 0.5217241644859314, 0.5221078991889954, 1.3544578552246094, 1.3334463834762573, 1.3866571187973022, 0.7603049278259277]

上圖為部分損失值,根據迭代次數而異,要是迭代瞭1萬次,這裡就會有1萬個損失值。
而準確率值是每一個 epoch 產生一個值,要是訓練100個epoch,就有100個準確率值。

(那麼問題來瞭,這裡的損失值是怎麼保存到文件中的呢? 很少有人講這個,也有一些小夥伴們來咨詢,這裡就統一記錄一下,包括損失值和準確率值。)

首先,找到網絡訓練代碼,就是項目中的 main.py,或者 train.py ,在文件裡先找到訓練部分,裡面經常會有這樣一行代碼:

for epoch in range(resume_epoch, num_epochs):   # 就是這一行
	####
	...
	loss = criterion(outputs, labels.long())              # 損失樣例
	...
    epoch_acc = running_corrects.double() / trainval_sizes[phase]    # 準確率樣例
    ...
    ###

從這一行開始就是訓練部分瞭,往下會找到類似的這兩句代碼,就是損失值和準確率值瞭。

這時候將以下代碼加入源代碼就可以瞭:

train_loss = []
train_acc = []
for epoch in range(resume_epoch, num_epochs):          # 就是這一行
	###
	...
	loss = criterion(outputs, labels.long())           # 損失樣例
	train_loss.append(loss.item())                     # 損失加入到列表中
	...
	epoch_acc = running_corrects.double() / trainval_sizes[phase]    # 準確率樣例
	train_acc.append(epoch_acc.item())                 # 準確率加入到列表中
	... 
with open("./train_loss.txt", 'w') as train_los:
    train_los.write(str(train_loss))

with open("./train_acc.txt", 'w') as train_ac:
     train_ac.write(str(train_acc))

這樣就算完成瞭損失值和準確率值的數據存儲瞭!

二、繪制 loss 曲線

主要需要 numpy 庫和 matplotlib 庫,如果不會安裝可以自行百度,很簡單。

首先,將 .txt 文件中的存儲的數據讀取進來,以下是讀取函數:

import numpy as np

# 讀取存儲為txt文件的數據
def data_read(dir_path):
    with open(dir_path, "r") as f:
        raw_data = f.read()
        data = raw_data[1:-1].split(", ")   # [-1:1]是為瞭去除文件中的前後中括號"[]"

    return np.asfarray(data, float)

然後,就是繪制 loss 曲線部分:

if __name__ == "__main__":

	train_loss_path = r"E:\relate_code\Gaitpart-master\train_loss.txt"   # 存儲文件路徑
	
	y_train_loss = data_read(train_loss_path)        # loss值,即y軸
	x_train_loss = range(len(y_train_loss))			 # loss的數量,即x軸

	plt.figure()

    # 去除頂部和右邊框框
    ax = plt.axes()
    ax.spines['top'].set_visible(False)
    ax.spines['right'].set_visible(False)

    plt.xlabel('iters')    # x軸標簽
    plt.ylabel('loss')     # y軸標簽
	
	# 以x_train_loss為橫坐標,y_train_loss為縱坐標,曲線寬度為1,實線,增加標簽,訓練損失,
	# 默認顏色,如果想更改顏色,可以增加參數color='red',這是紅色。
    plt.plot(x_train_loss, y_train_loss, linewidth=1, linestyle="solid", label="train loss")
    plt.legend()
    plt.title('Loss curve')
    plt.show()

這樣就算把損失圖像畫出來瞭!如下:

三、繪制準確率曲線

有瞭上面的基礎,這就簡單很多瞭。
隻是有一點要記住,上面的x軸是迭代次數,這裡的是訓練輪次 epoch。

if __name__ == "__main__":

	train_acc_path = r"E:\relate_code\Gaitpart-master\train_acc.txt"   # 存儲文件路徑
	
	y_train_acc = data_read(train_acc_path)       # 訓練準確率值,即y軸
	x_train_acc = range(len(y_train_acc))			 # 訓練階段準確率的數量,即x軸

	plt.figure()

    # 去除頂部和右邊框框
    ax = plt.axes()
    ax.spines['top'].set_visible(False)
    ax.spines['right'].set_visible(False)

    plt.xlabel('epochs')    # x軸標簽
    plt.ylabel('accuracy')     # y軸標簽
	
	# 以x_train_acc為橫坐標,y_train_acc為縱坐標,曲線寬度為1,實線,增加標簽,訓練損失,
	# 增加參數color='red',這是紅色。
    plt.plot(x_train_acc, y_train_acc, color='red',linewidth=1, linestyle="solid", label="train acc")
    plt.legend()
    plt.title('Accuracy curve')
    plt.show()

這樣就把準確率變化曲線畫出來瞭!如下:

以下是完整代碼,以繪制準確率曲線為例,並且將x軸換成瞭iters,和損失曲線保持一致,供參考:

import numpy as np
import matplotlib.pyplot as plt


# 讀取存儲為txt文件的數據
def data_read(dir_path):
    with open(dir_path, "r") as f:
        raw_data = f.read()
        data = raw_data[1:-1].split(", ")

    return np.asfarray(data, float)


# 不同長度數據,統一為一個標準,倍乘x軸
def multiple_equal(x, y):
    x_len = len(x)
    y_len = len(y)
    times = x_len/y_len
    y_times = [i * times for i in y]
    return y_times


if __name__ == "__main__":

    train_loss_path = r"E:\relate_code\Gaitpart-master\file_txt\train_loss.txt"
    train_acc_path = r"E:\relate_code\Gaitpart-master\train_acc.txt"

    y_train_loss = data_read(train_loss_path)
    y_train_acc = data_read(train_acc_path)

    x_train_loss = range(len(y_train_loss))
    x_train_acc = multiple_equal(x_train_loss, range(len(y_train_acc)))

    plt.figure()

    # 去除頂部和右邊框框
    ax = plt.axes()
    ax.spines['top'].set_visible(False)
    ax.spines['right'].set_visible(False)

    plt.xlabel('iters')
    plt.ylabel('accuracy')

    # plt.plot(x_train_loss, y_train_loss, linewidth=1, linestyle="solid", label="train loss")
    plt.plot(x_train_acc, y_train_acc,  color='red', linestyle="solid", label="train accuracy")
    plt.legend()

    plt.title('Accuracy curve')
    plt.show()

總結

到此這篇關於Python繪制loss曲線和準確率曲線的文章就介紹到這瞭,更多相關Python繪制loss曲線 準確率曲線內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: