https://github.com/fgnt/padertorch
A collection of common functionality to simplify the design, training and evaluation of machine learning models based on pytorch with an emphasis on speech processing.
Science Score: 54.0%
This score indicates how likely this project is to be science-related based on various indicators:
-
○CITATION.cff file
-
✓codemeta.json file
Found codemeta.json file -
✓.zenodo.json file
Found .zenodo.json file -
○DOI references
-
✓Academic publication links
Links to: arxiv.org -
✓Committers with academic emails
11 of 25 committers (44.0%) from academic institutions -
✓Institutional organization owner
Organization fgnt has institutional domain (nt.uni-paderborn.de) -
○JOSS paper metadata
-
○Scientific vocabulary similarity
Low similarity (12.1%) to scientific vocabulary
Keywords
Keywords from Contributors
Repository
A collection of common functionality to simplify the design, training and evaluation of machine learning models based on pytorch with an emphasis on speech processing.
Basic Info
- Host: GitHub
- Owner: fgnt
- License: mit
- Language: Python
- Default Branch: master
- Size: 2.15 MB
Statistics
- Stars: 71
- Watchers: 9
- Forks: 16
- Open Issues: 9
- Releases: 0
Topics
Metadata Files
README.md
padertorch
Padertorch is designed to simplify the training of deep learning models written with PyTorch. While focusing on speech and audio processing, it is not limited to these application areas.
[//]: <> (This repository is currently under construction.)
[//]: <> (The examples in contrib/examples are only working in the Paderborn NT environment)
Highlights
- Easily extensible: Write your own network modules and models based on
padertorch.Moduleandpadertorch.Model. - Seamless integration: You provide your own data and model. We provide the trainer to wrap around your model and data. Calling
trainstarts the training. - Fast prototyping: The trainer and models are all compatible with sacred and easily allow hyperparameter changes over the command line. Check out the configurable module and the examples for how it works.
Trainer: Our
padertorch.Trainertakes care of the repetitive training loop and allows you to focus on network tuning. Included are features such as:- Periodically executed validation runs
Automatic checkpointing
The parameters of the model and the state of the trainer are periodically saved. The checkpoint interval and number of total checkpoints are customizable: Keep one, some or all checkpoints. We also keep track of the best checkpoint on the validation data given some metric. - Resume from the latest checkpoint if the training was interrupted.
- Learning rate scheduling - Backoff: Restore the best checkpoint and change the learning rate if the loss is not decreasing. - Hooks: Extend the basic features of the trainer with your own functionality. --Test run
The trainer has a
test_runfunction to train the model for few iterations and test if - the model is executable (burn test), - the validation is deterministic/reproducible, and - the model changes the parameter during training.Virtual minibatch
- The
Trainerusually does not know if the model is trained with a single example or multiple examples (minibatch), because the examples that are yielded from the dataset are directly forwarded to the model. - When thevirtual_minibatch_sizeoption is larger than one, the trainer calls the forward and backward stepvirtual_minibatch_sizetimes before applying the gradients. This increases the number of examples over which the gradient is calculated while the memory consumption stays similar, e.g., withvirtual_minibatch_size=2the gradient is accumulated over two (batched) examples before callingoptimizer.step(); optimizer.zero_grad(). See here for a more thorough explanation.Logging: As logging backend, we use tensorboardX to generate a
tfeventsfile that can be visualized from a tensorboard. Custom values to be logged can be defined in subclasses ofpadertorch.Model.Multi-GPU training: Easily deploy your model onto multiple GPUs to increase the total batch size and speed up the training. See here for implementation details and the example for how to enable it.
Support for lazy data preparation: Ever tired of pre-computing features, taking up time and space on the hard disk? Padertorch works with lazy dataloaders (e.g., lazy_dataset) which extract the features on the fly!
Hands-on examples: We provide models and training scripts which help you getting started with padertorch.
Installation
bash
$ git clone https://github.com/fgnt/padertorch.git
$ cd padertorch && pip install -e .[all]
This will install all dependencies.
For a light installation, you can drop [all].
Requirements
- Python 3
- matplotlib
- Installed by padertorch (core dependencies):
- torch
- tensorboardX
- einops
- tqdm
- natsort
- lazy_dataset
- IPython
- paderbox
- To run the examples (included in [all]):
- sacred
- torchvision
- pb_bss
Getting Started
A Short Explanation of padertorch.Module and padertorch.Model
You can build your models upon padertorch.Module and padertorch.Model.
Both expect a forward method which has the same functionality as the forward call of torch.nn.Module: It takes some data as input, applies some transformations, and returns the network output:
```python class MyModel(pt.Module):
def forward(self, example): x = example['x'] out = transform(x) return out ```
Additionally, padertorch.Model expects a review method to be implemented which takes the input and output of the forward call as its inputs from which it computes the training loss and metrics for logging in tensorboard.
The following is an example for a classification problem using the cross-entropy loss:
```python import torch
class MyModel(pt.Model):
def forward(self, example): output = ... # e.g., output has shape (N, C), where C is the number of classes return output
def review(self, example, output): # loss computation, where example['label'] has shape (N,) celoss = torch.nn.CrossEntropyLoss()(output, example['label']) # compute additional metrics with torch.nograd(): prediction = torch.argmax(output, dim=1) accuracy = (prediction == example['label']).float().mean() return { 'loss': ce_loss, 'scalars': {'accuracy': accuracy} } ```
See padertorch.summary.tbxutils.reviewdict for how the review dictionary should be constructed.
For each training step, the trainer calls forward, passes its output to review and performs a backpropagation step on the loss.
Typically, the input to the forward of a Module is a Tensor, while for a Model, it is a dictionary which contains additional entries, e.g., labels, which are needed in the review.
This is only a recommendation and there is no restriction for the input type.
While these two methods are mandatory, you are free to add any further methods to your models.
Since a Module does not need a review method, it can be used as a component of a Model.
How to Integrate your Data and Model with the Trainer
The trainer works with any kind of iterable, e.g., list, torch.utils.data.DataLoader or lazy_dataset.Dataset.
The train method expects an iterable as input which yields training examples or minibatches of examples that are forwarded to the model without being interpreted by the trainer, i.e., the yielded entries can have any data type and only the model has to be designed to work with them.
In our examples, the iterables always yield a dict.
The Model implements an example_to_device which is called by the trainer to move the data to a CPU or GPU.
Per default, example_to_device uses padertorch.data.example_to_device which recursively converts numpy arrays to Tensors and moves all Tensors to the available device.
The training device can be directly provided to the call of Trainer.train.
Otherwise, it is automatically set by the trainer according to torch.cuda.is_available.
Optionally, you can add an iterable with validation examples by using Trainer.register_validation_hook.
Some functionalities (e.g., keeping track of the best checkpoint) are then performed on the validation data.
A simple sketch for the trainer setup is given below:
```python import torch import padertorch as pt
traindataset = ... validationdataset = ...
class MyModel(pt.Model): def init(self): super().init() self.net = torch.nn.Sequential(...)
def forward(self, example):
output = self.net(example['observation'])
return output
def review(self, example, output):
loss = ... # calculate loss
with torch.no_grad():
... # calculate general metrics
if self.training:
... # calculate training specific metrics
else:
... # calculate validation specific metrics
return {
'loss': loss,
'scalars': {
'accuracy': ...,
...
},
} # Furthers keys: 'images', 'audios', 'histograms', 'texts', 'figures'
trainer = padertorch.Trainer( model=MyModel(), storagedir=pt.io.getnewstoragedir('myexperiment'), # checkpoints of the trained model are stored here optimizer=pt.train.optimizer.Adam(), lossweights=None, summarytrigger=(1, 'epoch'), checkpointtrigger=(1, 'epoch'), stoptrigger=(1, 'epoch'), virtualminibatchsize=1, ) trainer.testrun(traindataset, validationdataset) trainer.registervalidationhook(validationdataset) trainer.train(traindataset) ```
See the trainer for an explanation of its signature.
If you want to use pt.io.get_new_storage_dir to manage your experiments, you have to define an environment variable STORAGE_ROOT which points to the path where all your experiments will be stored, i.e., in the example above, a new directory under $STORAGE_ROOT/my_experiment/1 will be created.
Otherwise, you can use pt.io.get_new_subdir where you can directly input the path to store your model without defining an environment variable.
Features for Application in Deep Learning
Padertorch provides a selection of frequently used network architectures and functionalities such as activation and normalization, ready for you to integrate into your own models.
- Multi-layer Feed-Forward: Multiple fully-connected layers with non-linearity and dropout.
- CNN (currently subject to breaking changes and hardly any documentation): 1d- and 2d-CNNs with residual connections, dropout, gated activations, batch and sequence norm and correct handling of down- and upsampling.
- Normalization: Perform normalization of arbitrary axes/dimensions of your features, keep track of running statistics and apply learnable affine transformation.
- Collection of activation functions: Fast access of various activation functions with just a string.
- Losses: We provide an implementation of the Kullback-Leibler divergence and different regression objectives (SI-SNR, log-MSE and others).
Support for Sequential and Speech Data
Padertorch especially offers support for training with sequential data such as: - Masking: Calculate a mask which has non-zero entries for non-padded positions and zero entries for padded positions in the sequence. - Segmenting: Segment a sequence into smaller chunks of the same length. - Dual-Path RNN (DPRNN): See the paper. - WaveNet: Synthesize waveforms from spectrograms (supports fast inference with nv_wavenet). - Visualization in tensorboard: Prepare spectrograms and speech masks for visualization and audio for playback in tensorboard.
We also provide a loss wrapper for permutation-invariant training (PIT) criteria which are, e.g., commonly used in (speech) source separation.
Further Reading
Have a look at the following links to get the most out of your experience with padertorch:
- Configurable: Provides a thorough explanation of our configurable module which allows to create model instances from a config dict.
- Sacred: Explains how to use sacred in combination with
pt.Configurable. - contrib/: Unordered collection of advanced and experimental features. Subject to breaking changes so be careful with relying on it too much. But it might provide ideas for your own implementations.
- contrib/examples/: Shows advanced usage of padertorch with actual data and models. A good starting point to get ideas for writing own models and experiments. See here for a guide to navigate through the examples and recommendations for which examples to start with.
Owner
- Name: Department of Communications Engineering University of Paderborn
- Login: fgnt
- Kind: organization
- Location: Paderborn, Germany
- Website: http://nt.uni-paderborn.de
- Repositories: 37
- Profile: https://github.com/fgnt
GitHub Events
Total
- Push event: 4
- Pull request review event: 1
- Pull request event: 5
Last Year
- Push event: 4
- Pull request review event: 1
- Pull request event: 5
Committers
Last synced: 5 months ago
Top Committers
| Name | Commits | |
|---|---|---|
| Christoph | c****j@m****e | 483 |
| jensheit | h****r@n****e | 451 |
| Janek Ebbers | e****s@n****e | 289 |
| Thilo von Neumann | t****n@m****e | 147 |
| Lukas Drude | m****l@l****e | 104 |
| mkuhlmann | m****l@m****e | 59 |
| TCord | c****d@n****e | 52 |
| Thomas Glarner | t****r@m****e | 52 |
| Michael Kuhlmann | k****n@n****e | 44 |
| Tobias Cord-Landwehr | c****d@m****e | 20 |
| TCord | 4****d@u****m | 19 |
| TCord | !****! | 18 |
| jensheit | 3****t@u****m | 16 |
| thequilo | t****n@l****e | 16 |
| Christoph Boeddeker | b****r@u****m | 11 |
| Tobias Cord-Landwehr | c****d@n****e | 7 |
| mkuhlmann | M****i@M****l | 4 |
| Adrian Meise | a****e@m****e | 2 |
| Alexander Werning | a****g@u****e | 2 |
| Dennis Ruppel | d****u@n****e | 2 |
| Alexander Werning | a****g@n****e | 1 |
| Dennis Ruppel | d****u@n****e | 1 |
| Tobias Cord-Landwehr | c****d@n****e | 1 |
| Tobias Gburrek | g****k@n****e | 1 |
| alexanderwerning | 3****g@u****m | 1 |
Committer Domains (Top 20 + Academic)
Issues and Pull Requests
Last synced: 6 months ago
All Time
- Total issues: 0
- Total pull requests: 3
- Average time to close issues: N/A
- Average time to close pull requests: about 2 hours
- Total issue authors: 0
- Total pull request authors: 1
- Average comments per issue: 0
- Average comments per pull request: 0.0
- Merged pull requests: 2
- Bot issues: 0
- Bot pull requests: 0
Past Year
- Issues: 0
- Pull requests: 3
- Average time to close issues: N/A
- Average time to close pull requests: about 2 hours
- Issue authors: 0
- Pull request authors: 1
- Average comments per issue: 0
- Average comments per pull request: 0.0
- Merged pull requests: 2
- Bot issues: 0
- Bot pull requests: 0
Top Authors
Issue Authors
Pull Request Authors
- michael-kuhlmann (6)
- boeddeker (6)
Top Labels
Issue Labels
Pull Request Labels
Packages
- Total packages: 1
-
Total downloads:
- pypi 366 last-month
- Total dependent packages: 0
- Total dependent repositories: 0
- Total versions: 1
- Total maintainers: 2
pypi.org: padertorch
A collection of common functionality to simplify the design, training and evaluation of machine learning models based on pytorch with an emphasis on speech processing.
- Homepage: https://github.com/fgnt/padertorch/
- Documentation: https://padertorch.readthedocs.io/
- License: MIT
-
Latest release: 0.0.1
published over 1 year ago
Rankings
Dependencies
- actions/checkout v2 composite
- actions/setup-python v2 composite
- IPython *
- einops *
- lazy_dataset *
- natsort *
- paderbox *
- tensorboardX *
- torch *
- tqdm *