Source code for openspeech.encoders.deepspeech2

# MIT License
#
# Copyright (c) 2021 Soohwan Kim and Sangchun Ha and Soyoung Cho
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.

import torch.nn as nn
from torch import Tensor
from typing import Tuple

from openspeech.modules import DeepSpeech2Extractor, BNReluRNN, Linear


[docs]class DeepSpeech2(nn.Module): r""" DeepSpeech2 is a set of speech recognition models based on Baidu DeepSpeech2. DeepSpeech2 is trained with CTC loss. Args: input_dim (int): dimension of input vector num_classes (int): number of classfication rnn_type (str, optional): type of RNN cell (default: gru) num_rnn_layers (int, optional): number of recurrent layers (default: 5) rnn_hidden_dim (int): the number of features in the hidden state `h` dropout_p (float, optional): dropout probability (default: 0.1) bidirectional (bool, optional): if True, becomes a bidirectional encoders (defulat: True) activation (str): type of activation function (default: hardtanh) Inputs: inputs, input_lengths - **inputs**: list of sequences, whose length is the batch size and within which each sequence is list of tokens - **input_lengths**: list of sequence lengths Returns: (Tensor, Tensor): * predicted_log_prob (torch.FloatTensor)s: Log probability of model predictions. * output_lengths (torch.LongTensor): The length of output tensor ``(batch)`` Reference: Dario Amodei et al.: Deep Speech 2: End-to-End Speech Recognition in English and Mandarin https://arxiv.org/abs/1512.02595 """ def __init__( self, input_dim: int, num_classes: int, rnn_type='gru', num_rnn_layers: int = 5, rnn_hidden_dim: int = 512, dropout_p: float = 0.1, bidirectional: bool = True, activation: str = 'hardtanh', ) -> None: super(DeepSpeech2, self).__init__() self.conv = DeepSpeech2Extractor(input_dim, activation=activation) self.rnn_layers = nn.ModuleList() rnn_output_size = rnn_hidden_dim << 1 if bidirectional else rnn_hidden_dim for idx in range(num_rnn_layers): self.rnn_layers.append( BNReluRNN( input_size=self.conv.get_output_dim() if idx == 0 else rnn_output_size, hidden_state_dim=rnn_hidden_dim, rnn_type=rnn_type, bidirectional=bidirectional, dropout_p=dropout_p, ) ) self.fc = nn.Sequential( nn.LayerNorm(rnn_output_size), Linear(rnn_output_size, num_classes, bias=False), )
[docs] def count_parameters(self) -> int: r""" Count parameters of encoders """ return sum([p.numel for p in self.parameters()])
[docs] def update_dropout(self, dropout_p: float) -> None: r""" Update dropout probability of encoders """ for name, child in self.named_children(): if isinstance(child, nn.Dropout): child.p = dropout_p
[docs] def forward(self, inputs: Tensor, input_lengths: Tensor) -> Tuple[Tensor, Tensor]: r""" Forward propagate a `inputs` for encoder_only training. Args: inputs (torch.FloatTensor): A input sequence passed to encoders. Typically for inputs this will be a padded `FloatTensor` of size ``(batch, seq_length, dimension)``. input_lengths (torch.LongTensor): The length of input tensor. ``(batch)`` Returns: (Tensor, Tensor): * predicted_log_prob (torch.FloatTensor)s: Log probability of model predictions. * output_lengths (torch.LongTensor): The length of output tensor ``(batch)`` """ outputs, output_lengths = self.conv(inputs, input_lengths) outputs = outputs.permute(1, 0, 2).contiguous() for rnn_layer in self.rnn_layers: outputs = rnn_layer(outputs, output_lengths) outputs = self.fc(outputs.transpose(0, 1)).log_softmax(dim=-1) return outputs, output_lengths