-
Notifications
You must be signed in to change notification settings - Fork 136
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
1 parent
a9dc9e4
commit 0f7afe3
Showing
10 changed files
with
892 additions
and
1 deletion.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,20 @@ | ||
# Copyright 2024 Benjamin Kiessling | ||
# | ||
# Licensed under the Apache License, Version 2.0 (the "License"); | ||
# you may not use this file except in compliance with the License. | ||
# You may obtain a copy of the License at | ||
# | ||
# http://www.apache.org/licenses/LICENSE-2.0 | ||
# | ||
# Unless required by applicable law or agreed to in writing, software | ||
# distributed under the License is distributed on an "AS IS" BASIS, | ||
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express | ||
# or implied. See the License for the specific language governing | ||
# permissions and limitations under the License. | ||
""" | ||
Top-level module containing layers and NN implementations. | ||
""" | ||
from .conformer.model import Conformer | ||
from .vgsl_layers import (Addition, MaxPool, Reshape, Dropout, | ||
TransposedSummarizingRNN, LinSoftmax, ActConv2D, | ||
GroupNorm) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,13 @@ | ||
# Copyright (c) 2021, Soohwan Kim. All rights reserved. | ||
# | ||
# Licensed under the Apache License, Version 2.0 (the "License"); | ||
# you may not use this file except in compliance with the License. | ||
# You may obtain a copy of the License at | ||
# | ||
# http://www.apache.org/licenses/LICENSE-2.0 | ||
# | ||
# Unless required by applicable law or agreed to in writing, software | ||
# distributed under the License is distributed on an "AS IS" BASIS, | ||
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
# See the License for the specific language governing permissions and | ||
# limitations under the License. |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,150 @@ | ||
# Copyright (c) 2021, Soohwan Kim. All rights reserved. | ||
# | ||
# Licensed under the Apache License, Version 2.0 (the "License"); | ||
# you may not use this file except in compliance with the License. | ||
# You may obtain a copy of the License at | ||
# | ||
# http://www.apache.org/licenses/LICENSE-2.0 | ||
# | ||
# Unless required by applicable law or agreed to in writing, software | ||
# distributed under the License is distributed on an "AS IS" BASIS, | ||
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
# See the License for the specific language governing permissions and | ||
# limitations under the License. | ||
|
||
import math | ||
import torch | ||
import torch.nn as nn | ||
import torch.nn.functional as F | ||
from torch import Tensor | ||
from typing import Optional | ||
|
||
from .embedding import RelPositionalEncoding | ||
|
||
|
||
class RelativeMultiHeadAttention(nn.Module): | ||
""" | ||
Multi-head attention with relative positional encoding. | ||
This concept was proposed in the "Transformer-XL: Attentive Language Models Beyond a Fixed-Length Context" | ||
Args: | ||
d_model (int): The dimension of model | ||
num_heads (int): The number of attention heads. | ||
dropout_p (float): probability of dropout | ||
Inputs: query, key, value, pos_embedding, mask | ||
- **query** (batch, time, dim): Tensor containing query vector | ||
- **key** (batch, time, dim): Tensor containing key vector | ||
- **value** (batch, time, dim): Tensor containing value vector | ||
- **pos_embedding** (batch, time, dim): Positional embedding tensor | ||
- **mask** (batch, 1, time2) or (batch, time1, time2): Tensor containing indices to be masked | ||
Returns: | ||
- **outputs**: Tensor produces by relative multi head attention module. | ||
""" | ||
def __init__( | ||
self, | ||
d_model: int = 512, | ||
num_heads: int = 16, | ||
dropout_p: float = 0.1, | ||
): | ||
super(RelativeMultiHeadAttention, self).__init__() | ||
assert d_model % num_heads == 0, "d_model % num_heads should be zero." | ||
self.d_model = d_model | ||
self.d_head = int(d_model / num_heads) | ||
self.num_heads = num_heads | ||
self.sqrt_dim = math.sqrt(self.d_head) | ||
|
||
self.query_proj = nn.Linear(d_model, d_model) | ||
self.key_proj = nn.Linear(d_model, d_model) | ||
self.value_proj = nn.Linear(d_model, d_model) | ||
self.pos_proj = nn.Linear(d_model, d_model, bias=False) | ||
|
||
self.dropout = nn.Dropout(p=dropout_p) | ||
self.u_bias = nn.Parameter(torch.Tensor(self.num_heads, self.d_head)) | ||
self.v_bias = nn.Parameter(torch.Tensor(self.num_heads, self.d_head)) | ||
torch.nn.init.xavier_uniform_(self.u_bias) | ||
torch.nn.init.xavier_uniform_(self.v_bias) | ||
|
||
self.out_proj = nn.Linear(d_model, d_model) | ||
|
||
def forward( | ||
self, | ||
query: Tensor, | ||
key: Tensor, | ||
value: Tensor, | ||
pos_embedding: Tensor, | ||
mask: Optional[Tensor] = None, | ||
) -> Tensor: | ||
batch_size = value.size(0) | ||
|
||
query = self.query_proj(query).view(batch_size, -1, self.num_heads, self.d_head) | ||
key = self.key_proj(key).view(batch_size, -1, self.num_heads, self.d_head).permute(0, 2, 1, 3) | ||
value = self.value_proj(value).view(batch_size, -1, self.num_heads, self.d_head).permute(0, 2, 1, 3) | ||
pos_embedding = self.pos_proj(pos_embedding).view(batch_size, -1, self.num_heads, self.d_head) | ||
|
||
content_score = torch.matmul((query + self.u_bias).transpose(1, 2), key.transpose(2, 3)) | ||
pos_score = torch.matmul((query + self.v_bias).transpose(1, 2), pos_embedding.permute(0, 2, 3, 1)) | ||
pos_score = self._relative_shift(pos_score) | ||
|
||
score = (content_score + pos_score) / self.sqrt_dim | ||
|
||
if mask is not None: | ||
mask = mask.unsqueeze(1) | ||
score.masked_fill_(mask, -1e9) | ||
|
||
attn = F.softmax(score, -1) | ||
attn = self.dropout(attn) | ||
|
||
context = torch.matmul(attn, value).transpose(1, 2) | ||
context = context.contiguous().view(batch_size, -1, self.d_model) | ||
|
||
return self.out_proj(context) | ||
|
||
def _relative_shift(self, pos_score: Tensor) -> Tensor: | ||
batch_size, num_heads, seq_length1, seq_length2 = pos_score.size() | ||
zeros = pos_score.new_zeros(batch_size, num_heads, seq_length1, 1) | ||
padded_pos_score = torch.cat([zeros, pos_score], dim=-1) | ||
|
||
padded_pos_score = padded_pos_score.view(batch_size, num_heads, seq_length2 + 1, seq_length1) | ||
pos_score = padded_pos_score[:, :, 1:].view_as(pos_score)[:, :, :, : seq_length2 // 2 + 1] | ||
|
||
return pos_score | ||
|
||
|
||
class MultiHeadedSelfAttentionModule(nn.Module): | ||
""" | ||
Conformer employ multi-headed self-attention (MHSA) while integrating an important technique from Transformer-XL, | ||
the relative sinusoidal positional encoding scheme. The relative positional encoding allows the self-attention | ||
module to generalize better on different input length and the resulting encoder is more robust to the variance of | ||
the utterance length. Conformer use prenorm residual units with dropout which helps training | ||
and regularizing deeper models. | ||
Args: | ||
d_model (int): The dimension of model | ||
num_heads (int): The number of attention heads. | ||
dropout_p (float): probability of dropout | ||
Inputs: inputs, mask | ||
- **inputs** (batch, time, dim): Tensor containing input vector | ||
- **mask** (batch, 1, time2) or (batch, time1, time2): Tensor containing indices to be masked | ||
Returns: | ||
- **outputs** (batch, time, dim): Tensor produces by relative multi headed self attention module. | ||
""" | ||
def __init__(self, d_model: int, num_heads: int, dropout_p: float = 0.1): | ||
super(MultiHeadedSelfAttentionModule, self).__init__() | ||
self.positional_encoding = RelPositionalEncoding(d_model) | ||
self.layer_norm = nn.LayerNorm(d_model) | ||
self.attention = RelativeMultiHeadAttention(d_model, num_heads, dropout_p) | ||
self.dropout = nn.Dropout(p=dropout_p) | ||
|
||
def forward(self, inputs: Tensor, mask: Optional[Tensor] = None): | ||
batch_size = inputs.size(0) | ||
pos_embedding = self.positional_encoding(inputs) | ||
pos_embedding = pos_embedding.repeat(batch_size, 1, 1) | ||
|
||
inputs = self.layer_norm(inputs) | ||
outputs = self.attention(inputs, inputs, inputs, pos_embedding=pos_embedding, mask=mask) | ||
|
||
return self.dropout(outputs) |
Oops, something went wrong.