赞
踩
pytorch中构建卷积层一般使用nn.Conv2d方法,有些情况下我们需要自定义卷积核的权值weight,而nn.Conv2d中的卷积参数是不允许自定义的,此时可以使用torch.nn.functional.conv2d简称F.conv2d
torch.nn.functional.conv2d(input, weight, bias=None, stride=1, padding=0, dilation=1, groups=1)
F.conv2d可以自己输入且也必须要求自己输入卷积权值weight和偏置bias。因此,构建自己想要的卷积核参数,再输入F.conv2d即可。下面是一个用F.conv2d构建卷积层的例子,这里为了网络模型需要写成了一个类:
- class CNN(nn.Module):
- def __init__(self):
- super(CNN, self).__init__()
- self.weight = nn.Parameter(torch.randn(16, 1, 5, 5)) # 自定义的权值
- self.bias = nn.Parameter(torch.randn(16)) # 自定义的偏置
-
- def forward(self, x):
- x = x.view(x.size(0), -1)
- out = F.conv2d(x, self.weight, self.bias, stride=1, padding=0)
- return out
值得注意的是,pytorch中各层需要训练的权重的数据类型设为nn.Parameter,而不是Tensor或者Variable。parameter的require_grad默认设置为true,而Varaible默认设置为False。
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。