이 블로그글은 2019년 조재영(Kevin Jo), 김승수(SeungSu Kim)님의 딥러닝 홀로서기 세미나를 수강하고 작성한 글임을 밝힙니다.
Github : 실습 코드 링크
💡목표 : Regression Problem을 pytorch로 해결해보기
- Linear Regression과 MLP를 둘 다 구현해보고 모델의 예측 데이터 분포를 시각화하기
# Pytorch 불러오기
import torch
print(torch.__version__)
# 나머지 모듈 불러오기
import numpy as np
import matplotlib.pyplot as plt
num_data = 2400
x1 = np.random.rand(num_data) * 10
x2 = np.random.rand(num_data) * 10
e = np.random.noraml(0, 0.5, num_data)
X = np.array([x1, x2]).T
y = 2*np.sin(x1) + np.log(0.5*x2**2) + e
💡 참고
pytorch에서 데이터 셋은 첫 번째 차원은 샘플의 개수를 나타내도록 설계되어 있음
train_X, train_y = X[:1600, :], y[:1600]
val_X, val_y = X[1600:2000, :], y[1600:2000]
test_X, test_y = X[2000:, :], y[2000:]
💡 참고
pytorch에서 데이터 셋은 첫 번째 차원은 샘플의 개수를 나타내도록 설계되어 있음
fig = plt.figure(figsize=(12, 5))
ax1 = fig.add_subplot(1, 3, 1, projection='3d')
ax1.scatter(train_X[:, 0], train_X[:, 1], train_y, c=train_y, cmap='jet')
ax1.set_xlabel('x1')
ax1.set_ylabel('x2')
ax1.set_zlabel('y')
ax1.set_title('Train set Distribution')
ax1.set_zlim(-10, 6)
ax1.view_init(40, -60)
ax1.invert_xaxis()
ax2 = fig.add_subplot(1, 3, 2, projection='3d')
ax2.scatter(val_X[:,0], val_X[:,1], val_y, c=val_y, cmap='jet')
ax2.set_xlabel('x1')
ax2.set_ylabel('x2')
ax2.set_zlabel('y')
ax2.set_title('Validation set Distribution')
ax2.set_zlim(-10, 6)
ax2.view_init(40, -60)
ax2.invert_xaxis()
ax3 = fig.add_subplot(1, 3, 3, projection='3d')
ax3.scatter(test_X[:,0], test_X[:,1], test_y, c=test_y, cmap='jet')
ax3.set_xlabel('x1')
ax3.set_ylabel('x2')
ax3.set_zlabel('y')
ax3.set_title('Test set Distribution')
ax3.set_zlim(-10, 6)
ax3.view_init(40, -60)
ax3.invert_xaxis()
plt.show()
💡 cmap
데이터 시각화에서 색상을 매핑하여 데이터를 표현하는 방법
viridis
: 균일하고 색맹 친화적인 그린-블루 계열plasma
: 따뜻한 보라-노랑 계열의 그라디언트inferno
: 어두운 보라-밝은 노랑, 강한 대비magma
: 검정에서 노랑으로 이어지는 연속형 컬러맵cividis
: 파랑-노랑, 색맹 친화적인 부드러운 전환
nn.module
을 상속받아 새로운 신경망 모델 클래스를 정의__init__
은 클래스 초기화 메서드 (생성자)forward
는 입력 x를 받아 선형 변환을 적용하는 출력값을 반환하는 메서드import torch.nn as nn
class LinearModel(nn.Module):
def __init__(self):
super(LinearModel, self).__init__()
self.linear = nn.Linear(in_features=2, out_features=1, bias=True)
def foward(self, x):
return self.linear(x)
nn.Module
을 상속받아 다층 퍼셉트론 모델 클래스를 정의__init__
은 클래스 초기화 메서드(생성자)forward
는 입력 x를 받아 순전파(forward pass)를 수행하는 메서드class MLPModel(nn.Module):
def __init__(self):
super(MLPModel, self).__init__()
self.linear1 = nn.Linear(in_features=2, out_features=200)
self.linear2 = nn.Linear(in_features=200, out_features=1)
self.relu = nn.ReLU()
def forward(self, x):
x = self.linear1(x)
x = self.relu(x)
x = self.linear2(x)
return x
reg_loss = nn.MSELoss()
💡 nn 모듈에 구현된 Loss Function 목록
MSELoss
: 회귀 문제에서 평균 제곱 오차 계산.CrossEntropyLoss
: 분류 문제에서 교차 엔트로피 계산.BCELoss
: 이진 분류에서 이진 교차 엔트로피 계산.L1Loss
: 예측 값과 실제 값의 절대 오차 계산.SmoothL1Loss
: MSE와 L1 절충하여 작은 값은 MSE, 큰 값은 L1로 처리KLDivLoss
: 예측 확률 분포와 실제 확률 분포 사이의 차이를 측정
import torch.optim as optim
from sklearn.metrics import mean_absolute_error
#**model = LinearModel()
#print(model.linear.weight)
#print(model.linear.bias)**
model = MLPModel()
print(f'{sum(p.numel() for p in model.parameters() if p.requires_grad)} Parameters')
lr = 0.005
optimizer = optim.SGD(model.parameters(), lr=lr)
💡 optim 모듈에 구현된 옵티마이저 목록
SGD
: 기본 확률적 경사 하강법, 단순하지만 효율적.Adam
: 학습률과 모멘텀을 자동 조정, 빠르고 안정적.RMSprop
: 학습률을 적응적으로 조정해 진동을 줄임.Adagrad
: 학습 횟수에 따라 학습률 감소, 희소한 데이터에 유리.Adadelta
: Adagrad의 개선형, 학습률을 무한히 감소하지 않도록 조정.AdamW
: Adam과 비슷하지만 가중치 감쇠(weight decay) 적용.ASGD
: SGD의 변형으로, 느리지만 더 안정적인 수렴을 목표로 함.
Train 부분
model.train()
: 모델을 학습 모드로 전환optimizer.zero_grad()
: 이전 기울기 초기화loss = reg_loss(pred_y.squeeze(), true_y)
: 예측 값과 실제 값의 손실 계산squeeze()
는 텐서의 차원이 1인 축을 제거loss.backward()
: 역전파로 기울기 계산optimizer.step()
: 가중치 업데이트list_train_loss.append(loss.detach().numpy())
: 손실 값 저장detach()
: 텐서를 연산 그래프에서 분리하여 기울기 계산(역전파)을 막음 (기울기를 추적하거나 업데이트하는 과정에서 제외하고 값만 사용함)💡연산 그래프
- PyTorch가 텐서와 연산을 연결하여 기울기(gradient)를 계산하기 위해 만든 구조
- 모델이 데이터를 처리할 때 이 그래프가 만들어지고, 역전파를 통해 각 가중치에 대한 기울기를 자동으로 계산
Validate 부분
model.eval()
: 모델을 평가 모드로 전환optimizer.zero_grad()
: 기울기 초기화loss = reg_loss(pred_y.squeeze(), true_y)
: 검증 손실 계산list_val_loss.append(loss.detach().numpy())
: 손실 값 저장
list_epoch = []
list_train_loss = []
list_val_loss = []
list_mae = []
list_mae_epoch = []
epoch = 4000
for i in range(epoch):
# Trian
model.train()
optimizer.zero_grad()
input_x = torch.Tensor(train_X)
true_y = torch.Tensor(train_y)
pred_y = model(input_x)
loss = reg_loss(pred_y.squeeze(), true_y)
loss.backward()
optimizer.step()
list_epoch.append(i)
list_train_loss.append(loss.detach().numpy())
# Validate
model.eval()
optimizer.zero_grad()
input_x = torch.Tensor(val_X)
true_y = torch.Tensor(val_y)
pred_y = model(input_x)
loss = reg_loss(pred_y.squeeze(), true_y)
list_val_loss.append(loss.detach().numpy())
if i % 200 == 0:
model.eval()
optimizer.zero_grad()
input_x = torch.Tensor(test_X)
true_y = torch.Tensor(test_y)
pred_y = model(input_x).detach().numpy()
mae = mean_absolute_error(true_y, pred_y)
list_mae.append(mae)
list_mae_epoch.append(i)
fig = plt.figure(figsize=(15,5))
ax1 = fig.add_subplot(1, 3, 1, projection='3d')
ax1.scatter(test_X[:, 0], test_X[:, 1], test_y, c=test_y, cmap='jet')
ax1.set_xlabel('x1')
ax1.set_ylabel('x2')
ax1.set_zlabel('y')
ax1.set_zlim(-10, 6)
ax1.view_init(40, -40)
ax1.set_title('True test y')
ax1.invert_xaxis()
ax2 = fig.add_subplot(1, 3, 2, projection='3d')
ax2.scatter(test_X[:, 0], test_X[:, 1], pred_y, c=pred_y[:,0], cmap='jet')
ax2.set_xlabel('x1')
ax2.set_ylabel('x2')
ax2.set_zlabel('y')
ax2.set_zlim(-10, 6)
ax2.view_init(40, -40)
ax2.set_title('Predicted test y')
ax2.invert_xaxis()
input_x = torch.Tensor(train_X)
pred_y = model(input_x).detach().numpy()
ax3 = fig.add_subplot(1, 3, 3, projection='3d')
ax3.scatter(train_X[:, 0], train_X[:, 1], pred_y, c=pred_y[:,0], cmap='jet')
ax3.set_xlabel('x1')
ax3.set_ylabel('x2')
ax3.set_zlabel('y')
ax3.set_zlim(-10, 6)
ax3.view_init(40, -40)
ax3.set_title('Predicted train y')
ax3.invert_xaxis()
plt.show()
print(f'epoch : {i}, mae = {mae}')
💡 epoch vs iteration
- Epoch: 전체 훈련 데이터를 한 번 다 사용해 학습하는 과정
- Iteration: 미니 배치 단위로 한 번 학습하는 과정
- 1 Epoch = 여러 Iterations, 데이터 크기와 배치 크기에 따라 결정됨
# 결과 출력
fig = plt.figure(figsize=(15, 5))
ax1 = fig.add_subplot(1, 2, 1)
ax1.plot(list_epoch, list_train_loss, label='train_loss')
ax1.plot(list_epoch, list_val_loss, '--', label='val_loss')
ax1.set_xlabel('epoch')
ax1.set_ylabel('loss')
ax1.set_ylim(0, 5)
ax1.grid()
ax1.legend()
ax1.set_title('epoch vs loss')
ax2 = fig.add_subplot(1, 2, 2)
ax2.plot(list_mae_epoch, list_mae, marker='x', label='mae metric')
ax2.set_xlabel('epoch')
ax2.set_ylabel('mae')
ax2.grid()
ax2.legend()
ax2.set_title('epoch vs mae')
plt.show()