1.1 继承MODULE类来构造模型

Module是nn模块里提供的一个模型构造类,是所有神经网络模块的基类,下面展示一个实例

  1. import torch
  2. from torch import nn
  3. class MLP(nn.Module):
  4. # 声明带有模型参数的层,这里声明了两个全连接层
  5. def __init__(self, **kwargs):
  6. # 调用MLP父类Module的构造函数来进行必要的初始化。这样在构造实例时还可以指定其他函数
  7. # 参数,如“模型参数的访问、初始化和共享”一节将介绍的模型参数params
  8. super(MLP, self).__init__(**kwargs)
  9. self.hidden = nn.Linear(784, 256) # 隐藏层
  10. self.act = nn.ReLU()
  11. self.output = nn.Linear(256, 10) # 输出层
  12. # 定义模型的前向计算,即如何根据输入x计算返回所需要的模型输出
  13. def forward(self, x):
  14. a = self.act(self.hidden(x))
  15. return self.output(a)

以上的MLP类中无须定义反向传播函数。系统将通过自动求梯度而自动生成反向传播所需的backward函数。
我们可以实例化MLP类得到模型变量net。下面的代码初始化net并传入输入数据X做一次前向计算。其中,net(X)会调用MLP继承自Module类的__call__函数,这个函数将调用MLP类定义的forward函数来完成前向计算。

1.2 Module的子类

我们刚刚提到,Module类是一个通用的部件。事实上,PyTorch还实现了继承自Module的可以方便构建模型的类: 如SequentialModuleListModuleDict等等。

1.2.1 Sequential

当模型的前向计算为简单串联各个层的计算时,Sequential类可以通过更加简单的方式定义模型。这正是Sequential类的目的:它可以接收一个子模块的有序字典(OrderedDict)或者一系列子模块作为参数来逐一添加Module的实例,而模型的前向计算就是将这些实例按添加的顺序逐一计算。
下面我们实现一个与Sequential类有相同功能的MySequential类。这或许可以帮助读者更加清晰地理解Sequential类的工作机制。

  1. class MySequential(nn.Module):
  2. from collections import OrderedDict
  3. def __init__(self, *args):
  4. super(MySequential, self).__init__()
  5. if len(args) == 1 and isinstance(args[0], OrderedDict): # 如果传入的是一个OrderedDict
  6. for key, module in args[0].items():
  7. self.add_module(key, module) # add_module方法会将module添加进self._modules(一个OrderedDict)
  8. else: # 传入的是一些Module
  9. for idx, module in enumerate(args):
  10. self.add_module(str(idx), module)
  11. def forward(self, input):
  12. # self._modules返回一个 OrderedDict,保证会按照成员添加时的顺序遍历成员
  13. for module in self._modules.values():
  14. input = module(input)
  15. return input

我们用MySequential类来实现前面描述的MLP类,并使用随机初始化的模型做一次前向计算。

  1. net = MySequential(
  2. nn.Linear(784, 256),
  3. nn.ReLU(),
  4. nn.Linear(256, 10),
  5. )
  6. print(net)
  7. net(X)

输出:

  1. MySequential(
  2. (0): Linear(in_features=784, out_features=256, bias=True)
  3. (1): ReLU()
  4. (2): Linear(in_features=256, out_features=10, bias=True)
  5. )
  6. tensor([[-0.0100, -0.2516, 0.0392, -0.1684, -0.0937, 0.2191, -0.1448, 0.0930,
  7. 0.1228, -0.2540],
  8. [-0.1086, -0.1858, 0.0203, -0.2051, -0.1404, 0.2738, -0.0607, 0.0622,
  9. 0.0817, -0.2574]], grad_fn=<ThAddmmBackward>)

可以观察到这里MySequential类的使用跟3.10节(多层感知机的简洁实现)中Sequential类的使用没什么区别。

1.2.2 ModuleList

ModuleList接收一个子模块的列表作为输入,然后也可以类似List那样进行append和extend操作:

  1. net = nn.ModuleList([nn.Linear(784, 256), nn.ReLU()])
  2. net.append(nn.Linear(256, 10)) # # 类似List的append操作
  3. print(net[-1]) # 类似List的索引访问
  4. print(net)
  5. # net(torch.zeros(1, 784)) # 会报NotImplementedError
  6. 输出:
  7. Linear(in_features=256, out_features=10, bias=True)
  8. ModuleList(
  9. (0): Linear(in_features=784, out_features=256, bias=True)
  10. (1): ReLU()
  11. (2): Linear(in_features=256, out_features=10, bias=True)
  12. )

既然SequentialModuleList都可以进行列表化构造网络,那二者区别是什么呢。ModuleList仅仅是一个储存各种模块的列表,这些模块之间没有联系也没有顺序(所以不用保证相邻层的输入输出维度匹配),而且没有实现forward功能需要自己实现,所以上面执行net(torch.zeros(1, 784))会报NotImplementedError;而Sequential内的模块需要按照顺序排列,要保证相邻层的输入输出大小相匹配,内部forward功能已经实现。
ModuleList的出现只是让网络定义前向传播时更加灵活,见下面官网的例子。

  1. class MyModule(nn.Module):
  2. def __init__(self):
  3. super(MyModule, self).__init__()
  4. self.linears = nn.ModuleList([nn.Linear(10, 10) for i in range(10)])
  5. def forward(self, x):
  6. # ModuleList can act as an iterable, or be indexed using ints
  7. for i, l in enumerate(self.linears):
  8. x = self.linears[i // 2](x) + l(x)
  9. return x

另外,ModuleList不同于一般的Python的list,加入到ModuleList里面的所有模块的参数会被自动添加到整个网络中,下面看一个例子对比一下。

  1. class Module_ModuleList(nn.Module):
  2. def __init__(self):
  3. super(Module_ModuleList, self).__init__()
  4. self.linears = nn.ModuleList([nn.Linear(10, 10)])
  5. class Module_List(nn.Module):
  6. def __init__(self):
  7. super(Module_List, self).__init__()
  8. self.linears = [nn.Linear(10, 10)]
  9. net1 = Module_ModuleList()
  10. net2 = Module_List()
  11. print("net1:")
  12. for p in net1.parameters():
  13. print(p.size())
  14. print("net2:")
  15. for p in net2.parameters():
  16. print(p)
  17. 输出:
  18. net1:
  19. torch.Size([10, 10])
  20. torch.Size([10])
  21. net2: