pytorch 自定义层 "is not a Module subclass"
pytorch custom layer "is not a Module subclass"
我是 PyTorch 的新手,在使用了一段时间不同的工具包后尝试了一下。
我想了解如何编写自定义图层和函数。作为一个简单的测试,我写了这个:
class Testme(nn.Module): ## it _is_ a sublcass of module ##
def __init__(self):
super(Testme, self).__init__()
def forward(self, x):
return x / t_.max(x)
旨在使通过它的数据总和为 1。实际上没有用,只是在测试。
然后我将它插入 PyTorch 游乐场的示例代码:
def make_layers(cfg, batch_norm=False):
layers = []
in_channels = 3
for i, v in enumerate(cfg):
if v == 'M':
layers += [nn.MaxPool2d(kernel_size=2, stride=2)]
else:
padding = v[1] if isinstance(v, tuple) else 1
out_channels = v[0] if isinstance(v, tuple) else v
conv2d = nn.Conv2d(in_channels, out_channels, kernel_size=3, padding=padding)
if batch_norm:
layers += [conv2d, nn.BatchNorm2d(out_channels, affine=False), nn.ReLU()]
else:
layers += [conv2d, nn.ReLU()]
layers += [Testme] # here <------------------
in_channels = out_channels
return nn.Sequential(*layers)
结果出错!
TypeError: model.Testme is not a Module subclass
也许这需要是一个函数而不是一个模块?也不清楚函数、模块之间有什么区别。
例如,为什么函数需要 backward()
,即使它完全由标准的 pytorch 原语构建,而模块不需要这个?
这很简单。您几乎明白了,但您忘记实际创建新 class Testme 的实例。您需要这样做,即使创建特定 class 的实例不采用任何参数(对于 Testme)也是如此。但它比卷积层更容易忘记,您通常会向其传递很多参数。
将您指定的行更改为以下行,您的问题已解决。
layers += [Testme()]
我是 PyTorch 的新手,在使用了一段时间不同的工具包后尝试了一下。
我想了解如何编写自定义图层和函数。作为一个简单的测试,我写了这个:
class Testme(nn.Module): ## it _is_ a sublcass of module ##
def __init__(self):
super(Testme, self).__init__()
def forward(self, x):
return x / t_.max(x)
旨在使通过它的数据总和为 1。实际上没有用,只是在测试。
然后我将它插入 PyTorch 游乐场的示例代码:
def make_layers(cfg, batch_norm=False):
layers = []
in_channels = 3
for i, v in enumerate(cfg):
if v == 'M':
layers += [nn.MaxPool2d(kernel_size=2, stride=2)]
else:
padding = v[1] if isinstance(v, tuple) else 1
out_channels = v[0] if isinstance(v, tuple) else v
conv2d = nn.Conv2d(in_channels, out_channels, kernel_size=3, padding=padding)
if batch_norm:
layers += [conv2d, nn.BatchNorm2d(out_channels, affine=False), nn.ReLU()]
else:
layers += [conv2d, nn.ReLU()]
layers += [Testme] # here <------------------
in_channels = out_channels
return nn.Sequential(*layers)
结果出错!
TypeError: model.Testme is not a Module subclass
也许这需要是一个函数而不是一个模块?也不清楚函数、模块之间有什么区别。
例如,为什么函数需要 backward()
,即使它完全由标准的 pytorch 原语构建,而模块不需要这个?
这很简单。您几乎明白了,但您忘记实际创建新 class Testme 的实例。您需要这样做,即使创建特定 class 的实例不采用任何参数(对于 Testme)也是如此。但它比卷积层更容易忘记,您通常会向其传递很多参数。
将您指定的行更改为以下行,您的问题已解决。
layers += [Testme()]