📅  最后修改于: 2023-12-03 15:06:50.599000             🧑  作者: Mango
PyTorch 是一个非常流行的深度学习框架,它提供了许多高级的工具和功能,使得开发和训练神经网络变得更加容易。本文将介绍如何使用 PyTorch 来训练和验证神经网络。
在使用 PyTorch 之前,您需要安装它。您可以通过以下命令在 Python 中安装 PyTorch:
pip install torch torchvision
在训练和验证神经网络之前,您需要准备数据。您可以使用 PyTorch 中的 torchvision
模块加载常见的数据集,如 MNIST、CIFAR-10。或者,您可以使用自己的数据集。
在本文中,我们将使用 CIFAR-10 数据集。您可以使用以下代码将数据集下载到本地文件夹:
import torchvision.datasets as datasets
# 下载 CIFAR-10 数据集
train_dataset = datasets.CIFAR10(root='./data', train=True, download=True)
test_dataset = datasets.CIFAR10(root='./data', train=False, download=True)
在 PyTorch 中,您可以使用 torch.nn
模块来定义神经网络。您可以使用现有的层来构建网络,也可以编写自己的层。
在本文中,我们将创建一个非常简单的神经网络,它包含两个全连接层和一个 softmax 层,用于分类 CIFAR-10 数据集的图像。
import torch.nn as nn
class Net(nn.Module):
def __init__(self):
super(Net, self).__init__()
self.fc1 = nn.Linear(3072, 256)
self.fc2 = nn.Linear(256, 10)
def forward(self, x):
x = x.view(-1, 3072)
x = nn.functional.relu(self.fc1(x))
x = self.fc2(x)
return nn.functional.log_softmax(x, dim=1)
训练神经网络通常分为以下几个步骤:
在 PyTorch 中,您可以使用 torch.optim
模块来定义优化器,使用 torch.nn
模块中的损失函数计算损失,并使用 torch.autograd
模块记录反向传播。
import torch.optim as optim
from tqdm import tqdm
# 创建神经网络并加载到 GPU(如果可用)
net = Net().cuda() if torch.cuda.is_available() else Net()
# 定义损失函数和优化器
criterion = nn.CrossEntropyLoss()
optimizer = optim.SGD(net.parameters(), lr=0.001, momentum=0.9)
# 循环遍历数据集
train_loader = torch.utils.data.DataLoader(train_dataset, batch_size=64, shuffle=True)
for epoch in range(10):
running_loss = 0.0
for i, data in tqdm(enumerate(train_loader, 0), total=len(train_loader)):
inputs, labels = data
inputs, labels = inputs.cuda(), labels.cuda() if torch.cuda.is_available() else inputs, labels
# 清零梯度缓存
optimizer.zero_grad()
# 前向传播
outputs = net(inputs)
# 计算损失
loss = criterion(outputs, labels)
# 反向传播
loss.backward()
# 更新权重
optimizer.step()
# 打印状态信息
running_loss += loss.item()
if i % 100 == 99:
print('[%d, %5d] loss: %.3f' %
(epoch + 1, i + 1, running_loss / 100))
running_loss = 0.0
在训练神经网络之后,您需要使用测试数据集验证神经网络的性能。您可以使用以下代码计算神经网络在测试数据集上的准确率:
# 循环遍历测试数据集
test_loader = torch.utils.data.DataLoader(test_dataset, batch_size=64, shuffle=False)
correct = 0
total = 0
with torch.no_grad():
for data in test_loader:
images, labels = data
images, labels = images.cuda(), labels.cuda() if torch.cuda.is_available() else images, labels
# 前向传播
outputs = net(images)
# 计算预测结果
_, predicted = torch.max(outputs.data, 1)
# 统计预测结果与真实结果相同的数量
total += labels.size(0)
correct += (predicted == labels).sum().item()
print('Accuracy of the network on the 10000 test images: %d %%' % (
100 * correct / total))
在本文中,我们介绍了如何使用 PyTorch 训练和验证神经网络。我们创建了一个简单的神经网络,用于分类 CIFAR-10 数据集的图像,并使用训练数据集训练了10个 epoch。最终,我们使用测试数据集验证了神经网络的准确率。