-
Notifications
You must be signed in to change notification settings - Fork 0
/
layers.py
98 lines (76 loc) · 2.92 KB
/
layers.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
import numpy as np
import torch
import torch.nn as nn
import torch.nn.functional as F
from torch.nn.utils import weight_norm
from einops import rearrange
def WNConv1d(*args, **kwargs):
"""
权重归一化的 1D 卷积层(Weight Normalized Conv1d)。
该函数应用权重归一化(Weight Normalization)到标准的 1D 卷积层,以稳定训练过程并加速收敛。
参数:
*args: 传递给 nn.Conv1d 的位置参数。
**kwargs: 传递给 nn.Conv1d 的关键字参数。
返回:
nn.Module: 应用了权重归一化的 1D 卷积层。
"""
# 应用权重归一化到 1D 卷积层
return weight_norm(nn.Conv1d(*args, **kwargs))
def WNConvTranspose1d(*args, **kwargs):
"""
权重归一化的转置 1D 卷积层(Weight Normalized ConvTranspose1d)。
该函数应用权重归一化(Weight Normalization)到标准的转置 1D 卷积层,以稳定训练过程并加速收敛。
参数:
*args: 传递给 nn.ConvTranspose1d 的位置参数。
**kwargs: 传递给 nn.ConvTranspose1d 的关键字参数。
返回:
nn.Module: 应用了权重归一化的转置 1D 卷积层。
"""
# 应用权重归一化到转置 1D 卷积层
return weight_norm(nn.ConvTranspose1d(*args, **kwargs))
# Scripting this brings model speed up 1.4x
@torch.jit.script
def snake(x, alpha):
"""
Snake 激活函数。
Snake 是一种平滑且非线性的激活函数,定义为 x + (1 / alpha) * sin^2(alpha * x)。
这种激活函数在保持平滑性的同时,允许模型学习更复杂的模式。
参数:
x (torch.Tensor): 输入张量。
alpha (torch.Tensor): 控制函数形状的参数张量。
返回:
torch.Tensor: 经过 Snake 激活函数处理后的张量。
"""
# 获取输入张量的形状
shape = x.shape
# 重塑张量为 (batch_size, channels, -1)
x = x.reshape(shape[0], shape[1], -1)
# 应用 Snake 激活函数
x = x + (alpha + 1e-9).reciprocal() * torch.sin(alpha * x).pow(2)
# 重塑回原始形状
x = x.reshape(shape)
# 返回激活后的张量
return x
class Snake1d(nn.Module):
"""
Snake 激活函数的 1D 实现(Snake1d)。
该模块实现了 Snake 激活函数,并将其应用于输入张量的每个通道。
"""
def __init__(self, channels):
"""
初始化 Snake1d 模块。
参数:
channels (int): 输入张量的通道数。
"""
super().__init__()
# 定义参数 alpha,形状为 (1, channels, 1)
self.alpha = nn.Parameter(torch.ones(1, channels, 1))
def forward(self, x):
"""
前向传播函数,执行 Snake 激活函数的操作。
参数:
x (torch.Tensor): 输入张量。
返回:
torch.Tensor: 经过 Snake 激活函数处理后的张量。
"""
return snake(x, self.alpha)