🎛 🔊 A Python library for adding effects to audio.

Overview

Pedalboard Logo

License: GPL v3 PyPI - Python Version Supported Platforms Apple Silicon supported PyPI - Wheel Test Badge Coverage Badge PyPI - Downloads GitHub Repo stars

pedalboard is a Python library for adding effects to audio. It supports a number of common audio effects out of the box, and also allows the use of VST3® and Audio Unit plugin formats for third-party effects. It was built by Spotify's Audio Intelligence Lab to enable using studio-quality audio effects from within Python and TensorFlow.

Internally at Spotify, pedalboard is used for data augmentation to improve machine learning models. pedalboard also helps in the process of content creation, making it possible to add effects to audio without using a Digital Audio Workstation.

Features

  • Built-in support for a number of basic audio transformations:
    • Convolution
    • Compressor
    • Chorus
    • Distortion
    • Gain
    • HighpassFilter
    • LadderFilter
    • Limiter
    • LowpassFilter
    • Phaser
    • Reverb
  • Supports VST3® plugins on macOS, Windows, and Linux (pedalboard.load_plugin)
  • Supports Audio Units on macOS
  • Strong thread-safety, memory usage, and speed guarantees
    • Releases Python's Global Interpreter Lock (GIL) to allow use of multiple CPU cores
      • No need to use multiprocessing!
    • Even when only using one thread:
      • Processes audio up to 300x faster than pySoX for single transforms, and 2-5x faster1 than SoxBindings
  • Tested compatibility with TensorFlow - can be used in tf.data pipelines!

Installation

pedalboard is available via PyPI (via Platform Wheels):

pip install pedalboard

If you are new to Python, follow INSTALLATION.md for a robust guide.

Compatibility

pedalboard is thoroughly tested with Python 3.6, 3.7, 3.8, 3.9, and 3.10 as well as experimental support for PyPy 7.3.

  • Linux
    • Tested heavily in production use cases at Spotify
    • Tested automatically on GitHub with VSTs
    • Platform manylinux wheels built for x86_64
    • Most Linux VSTs require a relatively modern Linux installation (with glibc > 2.27)
  • macOS
    • Tested manually with VSTs and Audio Units
    • Tested automatically on GitHub with VSTs
    • Platform wheels available for both Intel and Apple Silicon
    • Compatible with a wide range of VSTs and Audio Units
  • Windows
    • Tested automatically on GitHub with VSTs
    • Platform wheels available for amd64 (x86-84, Intel/AMD)

Plugin Compatibility

pedalboard allows loading VST3® and Audio Unit plugins, which could contain any code. Most plugins that have been tested work just fine with pedalboard, but some plugins may not work with pedalboard; at worst, some may even crash the Python interpreter without warning and with no ability to catch the error. For an ever-growing compatibility list, see COMPATIBILITY.md.

Most audio plugins are "well-behaved" and conform to a set of conventions for how audio plugins are supposed to work, but many do not conform to the VST3® or Audio Unit specifications. pedalboard attempts to detect some common programming errors in plugins and can work around many issues, including automatically detecting plugins that don't clear their internal state when asked. Even so, plugins can misbehave without pedalboard noticing.

If audio is being rendered incorrectly or if audio is "leaking" from one process() call to the next in an undesired fashion, try:

  1. Passing silence to the plugin in between calls to process(), to ensure that any reverb tails or other internal state has time to fade to silence
  2. Reloading the plugin every time audio is processed (with pedalboard.load_plugin)

Examples

A very basic example of how to use pedalboard's built-in plugins:

import soundfile as sf
from pedalboard import (
    Pedalboard,
    Convolution,
    Compressor,
    Chorus,
    Gain,
    Reverb,
    Limiter,
    LadderFilter,
    Phaser,
)

audio, sample_rate = sf.read('some-file.wav')

# Make a Pedalboard object, containing multiple plugins:
board = Pedalboard([
    Compressor(threshold_db=-50, ratio=25),
    Gain(gain_db=30),
    Chorus(),
    LadderFilter(mode=LadderFilter.Mode.HPF12, cutoff_hz=900),
    Phaser(),
    Convolution("./guitar_amp.wav", 1.0),
    Reverb(room_size=0.25),
], sample_rate=sample_rate)

# Pedalboard objects behave like lists, so you can add plugins:
board.append(Compressor(threshold_db=-25, ratio=10))
board.append(Gain(gain_db=10))
board.append(Limiter())

# Run the audio through this pedalboard!
effected = board(audio)

# Write the audio back as a wav file:
with sf.SoundFile('./processed-output-stereo.wav', 'w', samplerate=sample_rate, channels=len(effected.shape)) as f:
    f.write(effected)

Loading a VST3® plugin and manipulating its parameters

import soundfile as sf
from pedalboard import Pedalboard, Reverb, load_plugin

# Load a VST3 package from a known path on disk:
vst = load_plugin("./VSTs/RoughRider3.vst3")

print(vst.parameters.keys())
# dict_keys([
#   'sc_hpf_hz',
#   'input_lvl_db',
#   'sensitivity_db',
#   'ratio',
#   'attack_ms',
#   'release_ms',
#   'makeup_db',
#   'mix',
#   'output_lvl_db',
#   'sc_active',
#   'full_bandwidth',
#   'bypass',
#   'program',
# ])

# Set the "ratio" parameter to 15
vst.ratio = 15

# Use this VST to process some audio:
audio, sample_rate = sf.read('some-file.wav')
effected = vst(audio, sample_rate=sample_rate)

# ...or put this VST into a chain with other plugins:
board = Pedalboard([vst, Reverb()], sample_rate=sample_rate)
# ...and run that pedalboard with the same VST instance!
effected = board(audio)

For more examples, see:

Contributing

Contributions to pedalboard are welcomed! See CONTRIBUTING.md for details.

License

pedalboard is Copyright 2021 Spotify AB.

pedalboard is licensed under the GNU General Public License v3, because:

VST is a registered trademark of Steinberg Media Technologies GmbH.

Comments
  • Is there a way to open preset file?

    Is there a way to open preset file?

    I am using an external VST3 Plugin and MacOS.

    Is there any way to load .fxp preset file or .patch file? I want to use parameters stored in the preset file.

    enhancement good first issue 
    opened by WonGilHuh 10
  • All the tests involving CHOWTapeModel.component fail

    All the tests involving CHOWTapeModel.component fail

    I have create a conda environment, installed pybind11 and tox via conda and run tox. But all the tests involving CHOWTapeModel.component fail.

    Some more details (please tell me if you want more information):

    • macOS BigSur 11.4
    • Python 3.8.12

    Any idea?

    stale 
    opened by LucaMarconato 8
  • ModuleNotFoundError: No module named 'pedalboard.io'

    ModuleNotFoundError: No module named 'pedalboard.io'

    Hi, thank you for your excellent project! On MacOS and Linux, after I installed the project via "pip install pedalboard", the following problem occurred: 截屏2022-03-15 下午9 21 26

    opened by Joyako 6
  • dearVR MICRO plugin shows

    dearVR MICRO plugin shows "Azimuth" parameter as "azimuth_ᅡᄚ"

    Hi, I'd to know if it possible some help.

    What is the problem with this code?

    import soundfile as sf
    from pedalboard import load_plugin
    
    dearVR = load_plugin("python/dearVR MICRO.vst3")
    dearVR.parameters["azimuth_ᅡᄚ"] = -50
    
    audio, sample_rate = sf.read('C:/Users/neimog/OneDrive - design.ufjf.br/Documentos/REAPER Media/untitled.wav')
    
    #
    final_audio = dearVR.process(audio, sample_rate, output_channels=2)
    
    ## save audio 
    #sf.write('C:/Users/neimog/OneDrive/Documentos/OM - Workspace/out-files/sound-with-dearVR.wav', final_audio, sample_rate)
    

    Because I am having this error:

    Traceback (most recent call last):
      File "c:\Users\neimog\OneDrive - design.ufjf.br\Documentos\OM - Workspace\OM-Libraries\OM-CKN\python\vst3-with-OM.py", line 10, in <module>
        final_audio = dearVR.process(audio, sample_rate, output_channels=2)
    TypeError: process(): incompatible function arguments. The following argument types are supported:
        1. (self: pedalboard_native.Plugin, input_array: numpy.ndarray[numpy.float32], sample_rate: float, buffer_size: int = 8192) -> numpy.ndarray[numpy.float32]
        2. (self: pedalboard_native.Plugin, input_array: numpy.ndarray[numpy.float64], sample_rate: float, buffer_size: int = 8192) -> numpy.ndarray[numpy.float32]
    
    Invoked with: <pedalboard.VST3Plugin "dearVR MICRO" at 00000281F9A23270>, array([[ 0.00000000e+00,  0.00000000e+00],
           [-1.87195837e-07, -1.87195837e-07],
           [-1.28382817e-06, -1.28382817e-06],
           ...,
           [ 0.00000000e+00,  0.00000000e+00],
           [ 0.00000000e+00,  0.00000000e+00],
           [ 0.00000000e+00,  0.00000000e+00]]), 44100; kwargs: output_channels=2
    

    Sorry if this is an elementary mistake. I am starting to coding!

    bug 
    opened by charlesneimog 6
  • Writing Pedalboard plugins in Python

    Writing Pedalboard plugins in Python

    Thanks for a fascinating library!

    Is there some way to put user-written pure Python modules, using numpy of course, into the signal chain?

    It would be very desirable to be able to write plugins to Pedalboard as Python functions with an interface like this one of yours.

    I certainly have a lot of code ready to go for this.

    However, the ExternalPlugin class appears to only allow binary externals.

    enhancement good first issue 
    opened by rec 6
  • FabFilter plugins produce silent output

    FabFilter plugins produce silent output

    While applying board effects to audios most often some of the exported audios are just blank. I am using FabFilter Plugins. Specifically using ( 'FabFilter Pro-Q 3.vst3' , 'FabFilter Pro-Q 3.vst3' , 'FabFilter Pro-C 2.vst3', 'FabFilter Pro-R.vst3', 'FabFilter Pro-L 2.vst3' ) in the order they are written in.

    opened by akarshmishra001 5
  • Updated JUCE to version 6.1.4

    Updated JUCE to version 6.1.4

    update-juce: Checked out the latest version of JUCE

    Problem In order to work on this issue, an update of JUCE is first needed. The discussion there outlines why.

    Solution I simply updated the JUCE submodule to the latest stable master commit (their commit message is aptly "JUCE version 6.1.4"). I made sure to detach the HEAD in order to prevent automatically updating in the future.

    Comments Running tox, the tests on my end seem to be all good. I was unable to run lint tests but this isn't a concern for this specific PR. Lint seems to be concerned with syntactical and stylistic problems but the only thing this PR is doing is updating JUCE. Moving forward I will need to sort out this lint issue.

    P.S. This is my first PR to any open source project! It's quite a trivial one, but I look forward to contributing more. Let me know if I did anything wrong and thank you for your patience with my learning in advance.

    opened by HussainAbdi 5
  • Split stereo channels and mix them together [question]

    Split stereo channels and mix them together [question]

    Hi all,

    I'm wondering if it's possible to split the channels of an audio file, apply effects individually to each channel, and mix them together at the end. Any code snippet to share?

    Thank you in advance!

    opened by fabienrohrer 4
  • MP3Compressor introduces audible glitches

    MP3Compressor introduces audible glitches

    MP3Compressor: Introduces audible glitches in multiprocessing environment, in particular tf.data.

    Expected behavior

    • Releases Python's Global Interpreter Lock (GIL) to allow use of multiple CPU cores
    • Tested compatibility with TensorFlow - can be used in tf.data pipelines!

    Therefore, would expect that multiple instances of MP3Compressor are ok.

    Actual behavior

    When calling MP3Compressor from a tf.numpy_function() using tf.data:

    def rand_mp3compression(signal, sample_rate):
        return MP3Compressor(np.random.uniform(1.0, 9.5)).process(signal, sample_rate)
    
    dataset.map(
        lambda audio: tf.numpy_function(rand_mp3compression, [audio, sample_rate], tf.float32), 
        num_parallel_calls=2
    )
    

    This results in audible glitches which are also visible in the spectrum: Screenshot 2022-07-27 at 18 54 50

    The issue vanishes when setting num_parallel_calls=1, which indicates a problem with multiprocessing. Using the GSM compression does not show a similar issue, so maybe it is connected to the Lame mp3 implementation?

    Steps to reproduce the behavior

    Working example:

    import pedalboard
    import tensorflow as tf
    import numpy as np
    from pedalboard import MP3Compressor
    import librosa
    from librosa import display
    import matplotlib.pyplot as plt
    
    AUTOTUNE = tf.data.experimental.AUTOTUNE
    
    sample_rate = 24000
    audio_len = 24000 * 5
    
    audio, sr = librosa.load(librosa.example('brahms'), sr=sample_rate)
    
    def data_gen():
      yield audio[audio_len*3:audio_len*4]
    
    def rand_mp3compression(signal, sample_rate):
      return MP3Compressor(np.random.uniform(1.0, 9.5)).process(signal, sample_rate)
    
    dataset = tf.data.Dataset.from_generator(
        data_gen,
        output_signature=(
            tf.TensorSpec(shape=(int(audio_len),), dtype=tf.float32)
            )
        )
    dataset = dataset.repeat()
    
    dataset = dataset.map(
        lambda audio: (tf.numpy_function(rand_mp3compression, [audio, sample_rate], tf.float32), audio), num_parallel_calls=2
    )
    
    dataset = dataset.batch(32)
    
    for elem in dataset.take(1):
      elem = elem[0][4]
      print(elem.shape)
    
    y = elem.numpy()
    D = librosa.stft(y)  
    S_db = librosa.amplitude_to_db(np.abs(D), ref=np.max)
    
    plt.figure(figsize=(10,10))
    display.specshow(S_db)
    plt.colorbar()
    
    opened by iCorv 4
  • Linux build needs extra libraries to build

    Linux build needs extra libraries to build

    Expected behaviour Building and running pedalboard on Linux, specifically RedHat succeeds

    Actual behaviour After building and running a python script that imports pedalboard the following stacktrace is seen, along with others for the other missing libraries

    Traceback (most recent call last): File "scratch.py", line 6, in from pedalboard import Pedalboard, Chorus, Reverb File "/home/wilhadden/work/misc/pedalboard/pedalboard/init.py", line 18, in from pedalboard_native import * # noqa: F403, F401 ImportError: /home/wilhadden/work/misc/pedalboard/pedalboard_native.cpython-36m-x86_64-linux-gnu.so: undefined symbol: lame_get_encoder_delay

    Steps to reproduce the behaviour Build pedalboard on RedHat, possibly other linux distros Run python3 interactively import pedalboard

    Potential fix Add in missing static libraries

    --- a/setup.py
    +++ b/setup.py
    @@ -202,7 +202,7 @@ elif platform.system() == "Linux":
             )
             include_paths = [flag[2:] for flag in flags]
             ALL_INCLUDES += include_paths
    -    ALL_LINK_ARGS += ['-lfreetype']
    +    ALL_LINK_ARGS += ['-lfreetype -lmp3lame -lgsm -lrubberband']
    
    
    opened by rm-star 4
  • Valhalla Supermassive - does not accept audio input?

    Valhalla Supermassive - does not accept audio input?

    Hello, I've been working on a little proof-of-concept, and one of the plugins I would like to use in it is an external .vst3 plugin called Supermassive, by Valhalla: https://valhalladsp.com/shop/reverb/valhalla-supermassive/

    However, when I try to load it using plg_supermassive = load_plugin("./VST3s/ValhallaSupermassive.vst3"), Python spits out ValueError: Plugin 'ValhallaSupermassive' does not accept audio input. It may be an instrument plug-in and not an audio effect processor.

    This plugin is most definitely an effects plugin and not a synth plugin. In addition, I have some other external plugins already working fine in my project.

    This is the only plugin that I want to have in my proof-of-concept that doesn't work-- but without it, the outputted audio just doesn't sound as realistic. I've tried using Pedalboard's built-in reverb, as well as some other reverbs that do work, but I can't get them dialed in as well as I have Supermassive dialed in inside my DAW.

    Any help or pointers would be appreciated... Am I missing something?

    bug 
    opened by pl4sma2389 4
  • Fix parsing of MP3 files that start with ID3 tags and end with LYRICS3 blocks.

    Fix parsing of MP3 files that start with ID3 tags and end with LYRICS3 blocks.

    This is a knock-on to https://github.com/spotify/pedalboard/pull/164, which added support for parsing MP3 files containing the non-standard Lyrics3 extension.

    That change was not properly rolled out - the code was added and the tests passed, but some test audio files still failed. It seems that the original MP3 parser's bug is only hit if the MP3 file contains an ID3 tag at its start. A test MP3 fixture is added as part of this PR to enable a more complete regression test.

    (cc @f90)

    bug 
    opened by psobot 0
  • vst_plugin in a for loop - multiprocessing issue

    vst_plugin in a for loop - multiprocessing issue

    I'm using Pedalboard (which is amazing -thank you)to process a large number (8K) of audio files, using a VST3 plugin (Waves Clarity Vx Pro). I'm using the plugin in a simple for-loop:

    if __name__ == '__main__':
        for audio_file in tqdm.tqdm(raw_files):
            vst_plugin(
                audio_file, 
                plugin_location=f'{str(clarity)}', 
                output_directory=output_directory
            )
    

    After awhile (never got past > 150 files) I hit a error, which I must confess is quite beyond my Python skills:

    %|█▋                                                                                                                                       | 91/7559 [03:04<4:07:24,  1.99s/it]Not auto-determining label: found {'', 'dB'}
    zsh: segmentation fault  python cleaning_tests_mac.py
    (cleaning_eval) [email protected] cleaning_eval % /usr/local/Caskroom/miniconda/base/envs/cleaning_eval/lib/python3.10/multiprocessing/resource_tracker.py:224: UserWarning: resource_tracker: There appear to be 1 leaked semaphore objects to clean up at shutdown
      warnings.warn('resource_tracker: There appear to be %d '
    

    I'm open to suggestions to get around this?

    opened by cweaver-logitech 5
  • How is tempo set? [question]

    How is tempo set? [question]

    I cant find anywhere in the documentation where tempo can be established. I have loaded a vst3 delay plugin and having an input tempo is critical to have the plugin perform appropriately.

    opened by rhelsing 3
  • CONTRIBUTING.md: Adding how to identify and resolve missing packages

    CONTRIBUTING.md: Adding how to identify and resolve missing packages

    PROBLEM

    There are a few common build issues regarding necessary packages that are needed for a successful build. This commit will help developers identify when packages are missing and what needs to be installed.

    opened by rm-star 0
Releases(v0.6.7)
  • v0.6.7(Dec 4, 2022)

    What's Changed

    • Empty sample buffers are no longer errantly returned when seeking certain FLAC files. (https://github.com/spotify/pedalboard/pull/173)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.6.6...v0.6.7

    Source code(tar.gz)
    Source code(zip)
  • v0.6.6(Nov 30, 2022)

    What's Changed

    • Allow backwards compatibility when setting float parameters to strings. (https://github.com/spotify/pedalboard/pull/169)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.6.5...v0.6.6

    Source code(tar.gz)
    Source code(zip)
  • v0.6.5(Nov 28, 2022)

    What's Changed

    • Explicitly ignore "dB" and "dBTP" when used as a value suffix by VST and AU plugins. (https://github.com/spotify/pedalboard/pull/167)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.6.4...v0.6.5

    Source code(tar.gz)
    Source code(zip)
  • v0.6.4(Nov 18, 2022)

    What's Changed

    • Patch MP3 parser to correctly ignore Lyrics3 data. (https://github.com/spotify/pedalboard/pull/164)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.6.3...v0.6.4

    Source code(tar.gz)
    Source code(zip)
  • v0.6.3(Oct 25, 2022)

    What's Changed

    • Fixed an incompatibility with asyncio. (https://github.com/spotify/pedalboard/pull/155)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.6.2...v0.6.3

    Source code(tar.gz)
    Source code(zip)
  • v0.6.2(Sep 23, 2022)

    What's Changed

    • Fix parameter inference for Valhalla Supermassive. (https://github.com/spotify/pedalboard/pull/149)
    • Add hard clipping plugin. (https://github.com/spotify/pedalboard/pull/150)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.6.1...v0.6.2

    Source code(tar.gz)
    Source code(zip)
  • v0.6.1(Sep 9, 2022)

    What's Changed

    • Add workaround for loading certain misbehaving plugins. (https://github.com/spotify/pedalboard/pull/148)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.6.0...v0.6.1

    Source code(tar.gz)
    Source code(zip)
  • v0.6.0(Sep 8, 2022)

    What's Changed

    • Fix ineffective getter/setter on NoiseGate (@iCorv, https://github.com/spotify/pedalboard/pull/144)
    • Add stream resampler and resampling AudioFile. (https://github.com/spotify/pedalboard/pull/145)

    New Contributors

    • @iCorv made their first contribution in https://github.com/spotify/pedalboard/pull/144

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.10...v0.6.0

    Source code(tar.gz)
    Source code(zip)
  • v0.5.10(Aug 22, 2022)

    What's Changed

    • Added Python 3.11.0-rc1 support. (https://github.com/spotify/pedalboard/pull/139)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.9...v0.5.10

    Source code(tar.gz)
    Source code(zip)
  • v0.5.9(Aug 12, 2022)

    What's Changed

    • Fixed exceptions and crashes when including None in a PluginContainer. (https://github.com/spotify/pedalboard/pull/140)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.8...v0.5.9

    Source code(tar.gz)
    Source code(zip)
  • v0.5.8(Jul 28, 2022)

    What's Changed

    • Fixed a thread safety issue in MP3Compressor. (https://github.com/spotify/pedalboard/pull/129)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.7...v0.5.8

    Source code(tar.gz)
    Source code(zip)
  • v0.5.7(Jul 27, 2022)

    What's Changed

    • Allowed Pedalboard to compile against JUCE 6.15+ on Red Hat. (@rm-star, https://github.com/spotify/pedalboard/pull/121)
    • Fixed pybind11 inheritance chain to allow accessing properties on IIRFilter subclasses. (https://github.com/spotify/pedalboard/pull/124)
    • Removed redundant input channel count check for Valhalla Supermassive on Windows. (https://github.com/spotify/pedalboard/pull/126)
    • Compile wheels on macOS 12. (https://github.com/spotify/pedalboard/pull/125)

    New Contributors

    • @rm-star made their first contribution in https://github.com/spotify/pedalboard/pull/121

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.6...v0.5.7

    Source code(tar.gz)
    Source code(zip)
  • v0.5.6(Jul 19, 2022)

    What's Changed

    • Added auto-generated Sphinx documentation. (https://github.com/spotify/pedalboard/pull/119)
    • ReadableAudioFile.read_raw now returns an untyped np.ndarray. (https://github.com/spotify/pedalboard/pull/119)
    • WriteableAudioFile.write now accepts an untyped np.ndarray. (https://github.com/spotify/pedalboard/pull/119)
    • WriteableAudioFile.__init__ now supports best, worst, fastest, and slowest quality options. (https://github.com/spotify/pedalboard/pull/119)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.5...v0.5.6

    Source code(tar.gz)
    Source code(zip)
  • v0.5.5(Jul 13, 2022)

    tl;dr: A couple bug fixes, smaller binary wheels, and better support for autocomplete and type hints in IDEs. 🎉

    image

    Bug Fixes

    • Add __repr__ to PitchShift. (https://github.com/spotify/pedalboard/pull/102)
    • Fix changing plugin parameters example code in README.md (@nashaad, https://github.com/spotify/pedalboard/pull/107)
    • Allow negative indices when accessing Pedalboard objects like lists. (https://github.com/spotify/pedalboard/pull/114)
    • Ensure that IIR filters are applied to all channels. (https://github.com/spotify/pedalboard/pull/116)

    Optimizations

    • Avoid exposing internal symbols to decrease binary size. (https://github.com/spotify/pedalboard/pull/101)

    New Features

    • Add type hinting and stub files for editor autocomplete. (https://github.com/spotify/pedalboard/pull/117)

    New Contributors

    • @nashaad made their first contribution in https://github.com/spotify/pedalboard/pull/107

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.4...v0.5.5

    Source code(tar.gz)
    Source code(zip)
  • v0.5.4(Apr 25, 2022)

    What's Changed

    • Fix AudioFile behaviour when overwriting existing audio files. (https://github.com/spotify/pedalboard/pull/99)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.3...v0.5.4

    Source code(tar.gz)
    Source code(zip)
  • v0.5.3(Mar 28, 2022)

    What's Changed

    • Handle plugin parameter value parsing better for plugins that expose Hz/kHz values. (https://github.com/spotify/pedalboard/pull/89)
    • Added MP3 writing support to AudioFile. (https://github.com/spotify/pedalboard/pull/93)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.5.2...v0.5.3

    Source code(tar.gz)
    Source code(zip)
  • v0.5.2(Mar 24, 2022)

    Compatibility release to re-enable binary platform wheels for macosx_x86_64 machines (i.e.: older Intel Macs or Apple Silicon machines running Python under Rosetta 2.)

    Source code(tar.gz)
    Source code(zip)
  • v0.5.1(Mar 16, 2022)

  • v0.5.0(Mar 13, 2022)

    What's Changed

    • Added pedalboard.io.AudioFile. (https://github.com/spotify/pedalboard/pull/85)
    • Added support for loading plugin containers (i.e.: Waves, Native Instruments, etc) (https://github.com/spotify/pedalboard/pull/87)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.4.4...v0.5.0

    Source code(tar.gz)
    Source code(zip)
  • v0.4.4(Mar 5, 2022)

    What's Changed

    • Added experimental support for showing VST/AU UIs with .show_editor(). (https://github.com/spotify/pedalboard/pull/84)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.4.3...v0.4.4

    Source code(tar.gz)
    Source code(zip)
  • v0.4.3(Mar 1, 2022)

    What's Changed

    • Add shelving and notch/peak filters. (https://github.com/spotify/pedalboard/pull/79)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.4.2...v0.4.3

    Source code(tar.gz)
    Source code(zip)
  • v0.4.2(Feb 22, 2022)

    What's Changed

    • Fix external plugin bus handling to avoid segfault with Guitar Rig. (https://github.com/spotify/pedalboard/pull/81)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.4.1...v0.4.2

    Source code(tar.gz)
    Source code(zip)
  • v0.4.1(Feb 10, 2022)

    What's Changed

    • Added Bitcrush plugin. (https://github.com/spotify/pedalboard/pull/78)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.4.0...v0.4.1

    Source code(tar.gz)
    Source code(zip)
  • v0.4.0(Feb 9, 2022)

    Breaking Changes

    • The Pedalboard constructor no longer supports the sample_rate parameter.

    What's Changed

    • Allow Pedalboard objects to be used as plugins (i.e. nesting) (https://github.com/spotify/pedalboard/pull/68)
    • Added Mix plugin to allow parallel processing (i.e.: buses) (https://github.com/spotify/pedalboard/pull/68)
    • Added Invert, Resample, and GSMFullRateCompressor plugins (https://github.com/spotify/pedalboard/pull/70, https://github.com/spotify/pedalboard/pull/75, https://github.com/spotify/pedalboard/pull/72)
    • Prevented memory leaks if invalid parameters are passed to plugin constructors (https://github.com/spotify/pedalboard/pull/73)
    • Fixed boundary effects before (and after) some pitch shift operations (https://github.com/spotify/pedalboard/pull/74)

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.3.14...v0.4.0

    Source code(tar.gz)
    Source code(zip)
  • v0.3.14(Jan 31, 2022)

    What's Changed

    • Add MP3Compressor plugin by @psobot in https://github.com/spotify/pedalboard/pull/71

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.3.13...v0.3.14

    Source code(tar.gz)
    Source code(zip)
  • v0.3.13(Jan 28, 2022)

    What's Changed

    • Add VST3 preset loading API by @emilio1234 in https://github.com/spotify/pedalboard/pull/67
    • Fix audio glitches when running VST3 or AU plugins whose reported latency exceeds buffer size by @psobot in https://github.com/spotify/pedalboard/pull/69
    • Add Delay plugin by @psobot in https://github.com/spotify/pedalboard/pull/66

    New Contributors

    • @emilio1234 made their first contribution in https://github.com/spotify/pedalboard/pull/67

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.3.12...v0.3.13

    Source code(tar.gz)
    Source code(zip)
  • v0.3.12(Jan 25, 2022)

    What's Changed

    • Compensate for plugin latency. by @psobot in https://github.com/spotify/pedalboard/pull/64
    • Change PitchShift plugin interface to use semitones. by @psobot in https://github.com/spotify/pedalboard/pull/65

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.3.11...v0.3.12

    Source code(tar.gz)
    Source code(zip)
  • v0.3.11(Jan 19, 2022)

    What's Changed

    • Add PitchShift plugin by @Johnxjp in https://github.com/spotify/pedalboard/pull/59

    New Contributors

    • @Johnxjp made their first contribution in https://github.com/spotify/pedalboard/pull/59

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.3.10...v0.3.11

    Source code(tar.gz)
    Source code(zip)
  • v0.3.10(Jan 3, 2022)

    What's Changed

    • Normalize sharps and flats in parameter names. by @psobot in https://github.com/spotify/pedalboard/pull/58

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.3.9...v0.3.10

    Source code(tar.gz)
    Source code(zip)
  • v0.3.9(Jan 1, 2022)

    What's Changed

    • fix: looks_like_float random falses by @carlostorreswav in https://github.com/spotify/pedalboard/pull/38
    • Fix tests when running on Apple Silicon. by @psobot in https://github.com/spotify/pedalboard/pull/56
    • Updated JUCE to version 6.1.4 by @HussainAbdi in https://github.com/spotify/pedalboard/pull/55
    • Enable linux docker builds on Apple Silicon (aarch64 Linux support) by @i in https://github.com/spotify/pedalboard/pull/47

    New Contributors

    • @carlostorreswav made their first contribution in https://github.com/spotify/pedalboard/pull/38
    • @HussainAbdi made their first contribution in https://github.com/spotify/pedalboard/pull/55
    • @i made their first contribution in https://github.com/spotify/pedalboard/pull/47

    Full Changelog: https://github.com/spotify/pedalboard/compare/v0.3.8...v0.3.9

    Source code(tar.gz)
    Source code(zip)
Owner
Spotify
Spotify
A custom GEGL filter that does layer effects. It may not be non-destructive but you can make presets of your favorite text styles

A custom GEGL filter that does layer effects. It may not be non-destructive but you can make presets of your favorite text styles. Futures plans are going to include an image file overlay, and pro tip you can do a multistroke if sacrifice a shadow/glow.

null 11 Jan 2, 2023
A fast, scalable, high performance Gradient Boosting on Decision Trees library, used for ranking, classification, regression and other machine learning tasks for Python, R, Java, C++. Supports computation on CPU and GPU.

Website | Documentation | Tutorials | Installation | Release Notes CatBoost is a machine learning method based on gradient boosting over decision tree

CatBoost 6.9k Dec 31, 2022
ParaMonte: Plain Powerful Parallel Monte Carlo and MCMC Library for Python, MATLAB, Fortran, C++, C.

Overview | Installation | Dependencies | Parallelism | Examples | Acknowledgments | License | Authors ParaMonte: Plain Powerful Parallel Monte Carlo L

Computational Data Science Lab 182 Dec 31, 2022
Scalable, Portable and Distributed Gradient Boosting (GBDT, GBRT or GBM) Library, for Python, R, Java, Scala, C++ and more. Runs on single machine, Hadoop, Spark, Dask, Flink and DataFlow

eXtreme Gradient Boosting Community | Documentation | Resources | Contributors | Release Notes XGBoost is an optimized distributed gradient boosting l

Distributed (Deep) Machine Learning Community 23.6k Jan 3, 2023
An open source python library for automated feature engineering

"One of the holy grails of machine learning is to automate more and more of the feature engineering process." ― Pedro Domingos, A Few Useful Things to

alteryx 6.4k Jan 7, 2023
Header-only C++/python library for fast approximate nearest neighbors

Hnswlib - fast approximate nearest neighbor search Header-only C++ HNSW implementation with python bindings. NEWS: Hnswlib is now 0.5.2. Bugfixes - th

null 2.3k Jan 1, 2023
PyCppAD — Python bindings for CppAD Automatic Differentiation library

PyCppAD is an open source framework which provides bindings for the CppAD Automatic Differentiation(CppAD) C++ library in Python. PyCppAD also includes support for the CppADCodeGen (CppADCodeGen), C++ library, which exploits CppAD functionality to perform code generation.

SimpleRobotics 14 Nov 14, 2022
An efficient C++17 GPU numerical computing library with Python-like syntax

MatX - Matrix Primitives Library MatX is a modern C++ library for numerical computing on NVIDIA GPUs. Near-native performance can be achieved while us

NVIDIA Corporation 625 Jan 1, 2023
An unified library for fitting primitives from 3D point cloud data with both C++&Python API.

PrimitivesFittingLib An unified library for fitting multiple primitives from 3D point cloud data with both C++&Python API. The supported primitives ty

Yueci Deng 10 Jun 30, 2022
An open-source, low-code machine learning library in Python

An open-source, low-code machine learning library in Python ?? Version 2.3.6 out now! Check out the release notes here. Official • Docs • Install • Tu

PyCaret 6.7k Dec 29, 2022
power-grid-model is a Python library for steady-state distribution power system analysis

Power Grid Model power-grid-model is a Python library for steady-state distribution power system analysis. The core of the library is written in C++.

Alliander Open Source 58 Dec 27, 2022
Lightweight, Portable, Flexible Distributed/Mobile Deep Learning with Dynamic, Mutation-aware Dataflow Dep Scheduler; for Python, R, Julia, Scala, Go, Javascript and more

Apache MXNet (incubating) for Deep Learning Apache MXNet is a deep learning framework designed for both efficiency and flexibility. It allows you to m

The Apache Software Foundation 20.2k Dec 31, 2022
Tensors and Dynamic neural networks in Python with strong GPU acceleration

PyTorch is a Python package that provides two high-level features: Tensor computation (like NumPy) with strong GPU acceleration Deep neural networks b

null 61.4k Jan 4, 2023
Implement yolov5 with Tensorrt C++ api, and integrate batchedNMSPlugin. A Python wrapper is also provided.

yolov5 Original codes from tensorrtx. I modified the yololayer and integrated batchedNMSPlugin. A yolov5s.wts is provided for fast demo. How to genera

weiwei zhou 46 Dec 6, 2022
Python to CLike language transpiler

Python to many CLike language transpiler Currently supports C++ and Rust. Preliminary support for Julia, Kotlin, Nim, Go and Dart. The main idea is th

null 477 Dec 29, 2022
Upload and changes to Python 0.9.1 release (from 1991!) so that it would compile

This is Python, an extensible interpreted programming language that combines remarkable power with very clear syntax. This is version 0.9 (the first

Skip Montanaro 139 Dec 25, 2022
High performance, easy-to-use, and scalable machine learning (ML) package, including linear model (LR), factorization machines (FM), and field-aware factorization machines (FFM) for Python and CLI interface.

What is xLearn? xLearn is a high performance, easy-to-use, and scalable machine learning package that contains linear model (LR), factorization machin

Chao Ma 3k Dec 23, 2022
In-situ data analyses and machine learning with OpenFOAM and Python

PythonFOAM: In-situ data analyses with OpenFOAM and Python Using Python modules for in-situ data analytics with OpenFOAM 8. NOTE that this is NOT PyFO

Argonne Leadership Computing Facility - ALCF 129 Dec 29, 2022