Name | pozalabs-pydub JSON |
Version |
0.31.0
JSON |
| download |
home_page | None |
Summary | Manipulate audio with an simple and easy high level interface (POZAlabs forked) |
upload_time | 2024-09-06 09:56:17 |
maintainer | None |
docs_url | None |
author | pozalabs |
requires_python | <4.0,>=3.11 |
license | None |
keywords |
|
VCS |
|
bugtrack_url |
|
requirements |
No requirements were recorded.
|
Travis-CI |
No Travis.
|
coveralls test coverage |
No coveralls.
|
# Pydub [![Build Status](https://travis-ci.org/jiaaro/pydub.svg?branch=master)](https://travis-ci.org/jiaaro/pydub) [![Build status](https://ci.appveyor.com/api/projects/status/gy1ucp9o5khq7fqi/branch/master?svg=true)](https://ci.appveyor.com/project/jiaaro/pydub/branch/master)
Pydub lets you do stuff to audio in a way that isn't stupid.
**Stuff you might be looking for**:
- [Installing Pydub](https://github.com/jiaaro/pydub#installation)
- [API Documentation](https://github.com/jiaaro/pydub/blob/master/API.markdown)
- [Dependencies](https://github.com/jiaaro/pydub#dependencies)
- [Playback](https://github.com/jiaaro/pydub#playback)
- [Setting up ffmpeg](https://github.com/jiaaro/pydub#getting-ffmpeg-set-up)
- [Questions/Bugs](https://github.com/jiaaro/pydub#bugs--questions)
## Quickstart
Open a WAV file
```python
from pydub import AudioSegment
song = AudioSegment.from_wav("never_gonna_give_you_up.wav")
```
...or a mp3
```python
song = AudioSegment.from_mp3("never_gonna_give_you_up.mp3")
```
... or an ogg, or flv, or [anything else ffmpeg supports](http://www.ffmpeg.org/general.html#File-Formats)
```python
ogg_version = AudioSegment.from_ogg("never_gonna_give_you_up.ogg")
flv_version = AudioSegment.from_flv("never_gonna_give_you_up.flv")
mp4_version = AudioSegment.from_file("never_gonna_give_you_up.mp4", "mp4")
wma_version = AudioSegment.from_file("never_gonna_give_you_up.wma", "wma")
aac_version = AudioSegment.from_file("never_gonna_give_you_up.aiff", "aac")
```
Slice audio:
```python
# pydub does things in milliseconds
ten_seconds = 10 * 1000
first_10_seconds = song[:ten_seconds]
last_5_seconds = song[-5000:]
```
Make the beginning louder and the end quieter
```python
# boost volume by 6dB
beginning = first_10_seconds + 6
# reduce volume by 3dB
end = last_5_seconds - 3
```
Concatenate audio (add one file to the end of another)
```python
without_the_middle = beginning + end
```
How long is it?
```python
without_the_middle.duration_seconds == 15.0
```
AudioSegments are immutable
```python
# song is not modified
backwards = song.reverse()
```
Crossfade (again, beginning and end are not modified)
```python
# 1.5 second crossfade
with_style = beginning.append(end, crossfade=1500)
```
Repeat
```python
# repeat the clip twice
do_it_over = with_style * 2
```
Fade (note that you can chain operations because everything returns
an AudioSegment)
```python
# 2 sec fade in, 3 sec fade out
awesome = do_it_over.fade_in(2000).fade_out(3000)
```
Save the results (again whatever ffmpeg supports)
```python
awesome.export("mashup.mp3", format="mp3")
```
Save the results with tags (metadata)
```python
awesome.export("mashup.mp3", format="mp3", tags={'artist': 'Various artists', 'album': 'Best of 2011', 'comments': 'This album is awesome!'})
```
You can pass an optional bitrate argument to export using any syntax ffmpeg
supports.
```python
awesome.export("mashup.mp3", format="mp3", bitrate="192k")
```
Any further arguments supported by ffmpeg can be passed as a list in a
'parameters' argument, with switch first, argument second. Note that no
validation takes place on these parameters, and you may be limited by what
your particular build of ffmpeg/avlib supports.
```python
# Use preset mp3 quality 0 (equivalent to lame V0)
awesome.export("mashup.mp3", format="mp3", parameters=["-q:a", "0"])
# Mix down to two channels and set hard output volume
awesome.export("mashup.mp3", format="mp3", parameters=["-ac", "2", "-vol", "150"])
```
## Debugging
Most issues people run into are related to converting between formats using
ffmpeg/avlib. Pydub provides a logger that outputs the subprocess calls to
help you track down issues:
```python
>>> import logging
>>> l = logging.getLogger("pydub.converter")
>>> l.setLevel(logging.DEBUG)
>>> l.addHandler(logging.StreamHandler())
>>> AudioSegment.from_file("./test/data/test1.mp3")
subprocess.call(['ffmpeg', '-y', '-i', '/var/folders/71/42k8g72x4pq09tfp920d033r0000gn/T/tmpeZTgMy', '-vn', '-f', 'wav', '/var/folders/71/42k8g72x4pq09tfp920d033r0000gn/T/tmpK5aLcZ'])
<pydub.audio_segment.AudioSegment object at 0x101b43e10>
```
Don't worry about the temporary files used in the conversion. They're cleaned up
automatically.
## Bugs & Questions
You can file bugs in our [github issues tracker](https://github.com/jiaaro/pydub/issues),
and ask any technical questions on
[Stack Overflow using the pydub tag](http://stackoverflow.com/questions/ask?tags=pydub).
We keep an eye on both.
## Installation
Installing pydub is easy, but don't forget to install ffmpeg/avlib (the next section in this doc)
pip install pydub
Or install the latest dev version from github (or replace `@master` with a [release version like `@v0.12.0`](https://github.com/jiaaro/pydub/releases))…
pip install git+https://github.com/jiaaro/pydub.git@master
-OR-
git clone https://github.com/jiaaro/pydub.git
-OR-
Copy the pydub directory into your python path. Zip
[here](https://github.com/jiaaro/pydub/zipball/master)
## Dependencies
You can open and save WAV files with pure python. For opening and saving non-wav
files – like mp3 – you'll need [ffmpeg](http://www.ffmpeg.org/) or
[libav](http://libav.org/).
### Playback
You can play audio if you have one of these installed (simpleaudio _strongly_ recommended, even if you are installing ffmpeg/libav):
- [simpleaudio](https://simpleaudio.readthedocs.io/en/latest/)
- [pyaudio](https://people.csail.mit.edu/hubert/pyaudio/docs/#)
- ffplay (usually bundled with ffmpeg, see the next section)
- avplay (usually bundled with libav, see the next section)
```python
from pydub import AudioSegment
from pydub.playback import play
sound = AudioSegment.from_file("mysound.wav", format="wav")
play(sound)
```
## Getting ffmpeg set up
You may use **libav or ffmpeg**.
Mac (using [homebrew](http://brew.sh)):
```bash
# libav
brew install libav
#### OR #####
# ffmpeg
brew install ffmpeg
```
Linux (using aptitude):
```bash
# libav
apt-get install libav-tools libavcodec-extra
#### OR #####
# ffmpeg
apt-get install ffmpeg libavcodec-extra
```
Windows:
1. Download and extract libav from [Windows binaries provided here](http://builds.libav.org/windows/).
2. Add the libav `/bin` folder to your PATH envvar
3. `pip install pydub`
## Important Notes
`AudioSegment` objects are [immutable](http://www.devshed.com/c/a/Python/String-and-List-Python-Object-Types/1/)
### Ogg exporting and default codecs
The Ogg specification ([http://tools.ietf.org/html/rfc5334](rfc5334)) does not specify
the codec to use, this choice is left up to the user. Vorbis and Theora are just
some of a number of potential codecs (see page 3 of the rfc) that can be used for the
encapsulated data.
When no codec is specified exporting to `ogg` will _default_ to using `vorbis`
as a convenience. That is:
```python
from pydub import AudioSegment
song = AudioSegment.from_mp3("test/data/test1.mp3")
song.export("out.ogg", format="ogg") # Is the same as:
song.export("out.ogg", format="ogg", codec="libvorbis")
```
## Example Use
Suppose you have a directory filled with *mp4* and *flv* videos and you want to convert all of them to *mp3* so you can listen to them on your mp3 player.
```python
import os
import glob
from pydub import AudioSegment
video_dir = '/home/johndoe/downloaded_videos/' # Path where the videos are located
extension_list = ('*.mp4', '*.flv')
os.chdir(video_dir)
for extension in extension_list:
for video in glob.glob(extension):
mp3_filename = os.path.splitext(os.path.basename(video))[0] + '.mp3'
AudioSegment.from_file(video).export(mp3_filename, format='mp3')
```
### How about another example?
```python
from glob import glob
from pydub import AudioSegment
playlist_songs = [AudioSegment.from_mp3(mp3_file) for mp3_file in glob("*.mp3")]
first_song = playlist_songs.pop(0)
# let's just include the first 30 seconds of the first song (slicing
# is done by milliseconds)
beginning_of_song = first_song[:30*1000]
playlist = beginning_of_song
for song in playlist_songs:
# We don't want an abrupt stop at the end, so let's do a 10 second crossfades
playlist = playlist.append(song, crossfade=(10 * 1000))
# let's fade out the end of the last song
playlist = playlist.fade_out(30)
# hmm I wonder how long it is... ( len(audio_segment) returns milliseconds )
playlist_length = len(playlist) / (1000*60)
# lets save it!
with open("%s_minute_playlist.mp3" % playlist_length, 'wb') as out_f:
playlist.export(out_f, format='mp3')
```
## License ([MIT License](http://opensource.org/licenses/mit-license.php))
Copyright © 2011 James Robert, http://jiaaro.com
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.
Raw data
{
"_id": null,
"home_page": null,
"name": "pozalabs-pydub",
"maintainer": null,
"docs_url": null,
"requires_python": "<4.0,>=3.11",
"maintainer_email": null,
"keywords": null,
"author": "pozalabs",
"author_email": "contact@pozalabs.com",
"download_url": "https://files.pythonhosted.org/packages/80/51/57bdaa23f634762c9cf2df99947ec3cd84ecebe8323878c379817c8d1770/pozalabs_pydub-0.31.0.tar.gz",
"platform": null,
"description": "# Pydub [![Build Status](https://travis-ci.org/jiaaro/pydub.svg?branch=master)](https://travis-ci.org/jiaaro/pydub) [![Build status](https://ci.appveyor.com/api/projects/status/gy1ucp9o5khq7fqi/branch/master?svg=true)](https://ci.appveyor.com/project/jiaaro/pydub/branch/master)\n\nPydub lets you do stuff to audio in a way that isn't stupid.\n\n**Stuff you might be looking for**:\n - [Installing Pydub](https://github.com/jiaaro/pydub#installation)\n - [API Documentation](https://github.com/jiaaro/pydub/blob/master/API.markdown)\n - [Dependencies](https://github.com/jiaaro/pydub#dependencies)\n - [Playback](https://github.com/jiaaro/pydub#playback)\n - [Setting up ffmpeg](https://github.com/jiaaro/pydub#getting-ffmpeg-set-up)\n - [Questions/Bugs](https://github.com/jiaaro/pydub#bugs--questions)\n \n\n## Quickstart\n\nOpen a WAV file\n\n```python\nfrom pydub import AudioSegment\n\nsong = AudioSegment.from_wav(\"never_gonna_give_you_up.wav\")\n```\n\n...or a mp3\n\n```python\nsong = AudioSegment.from_mp3(\"never_gonna_give_you_up.mp3\")\n```\n\n... or an ogg, or flv, or [anything else ffmpeg supports](http://www.ffmpeg.org/general.html#File-Formats)\n\n```python\nogg_version = AudioSegment.from_ogg(\"never_gonna_give_you_up.ogg\")\nflv_version = AudioSegment.from_flv(\"never_gonna_give_you_up.flv\")\n\nmp4_version = AudioSegment.from_file(\"never_gonna_give_you_up.mp4\", \"mp4\")\nwma_version = AudioSegment.from_file(\"never_gonna_give_you_up.wma\", \"wma\")\naac_version = AudioSegment.from_file(\"never_gonna_give_you_up.aiff\", \"aac\")\n```\n\nSlice audio:\n\n```python\n# pydub does things in milliseconds\nten_seconds = 10 * 1000\n\nfirst_10_seconds = song[:ten_seconds]\n\nlast_5_seconds = song[-5000:]\n```\n\nMake the beginning louder and the end quieter\n\n```python\n# boost volume by 6dB\nbeginning = first_10_seconds + 6\n\n# reduce volume by 3dB\nend = last_5_seconds - 3\n```\n\nConcatenate audio (add one file to the end of another)\n\n```python\nwithout_the_middle = beginning + end\n```\n\nHow long is it?\n\n```python\nwithout_the_middle.duration_seconds == 15.0\n```\n\nAudioSegments are immutable\n\n```python\n# song is not modified\nbackwards = song.reverse()\n```\n\nCrossfade (again, beginning and end are not modified)\n\n```python\n# 1.5 second crossfade\nwith_style = beginning.append(end, crossfade=1500)\n```\n\nRepeat\n\n```python\n# repeat the clip twice\ndo_it_over = with_style * 2\n```\n\nFade (note that you can chain operations because everything returns\nan AudioSegment)\n\n```python\n# 2 sec fade in, 3 sec fade out\nawesome = do_it_over.fade_in(2000).fade_out(3000)\n```\n\nSave the results (again whatever ffmpeg supports)\n\n```python\nawesome.export(\"mashup.mp3\", format=\"mp3\")\n```\n\nSave the results with tags (metadata)\n\n```python\nawesome.export(\"mashup.mp3\", format=\"mp3\", tags={'artist': 'Various artists', 'album': 'Best of 2011', 'comments': 'This album is awesome!'})\n```\n\nYou can pass an optional bitrate argument to export using any syntax ffmpeg \nsupports.\n\n```python\nawesome.export(\"mashup.mp3\", format=\"mp3\", bitrate=\"192k\")\n```\n\nAny further arguments supported by ffmpeg can be passed as a list in a \n'parameters' argument, with switch first, argument second. Note that no \nvalidation takes place on these parameters, and you may be limited by what \nyour particular build of ffmpeg/avlib supports.\n\n```python\n# Use preset mp3 quality 0 (equivalent to lame V0)\nawesome.export(\"mashup.mp3\", format=\"mp3\", parameters=[\"-q:a\", \"0\"])\n\n# Mix down to two channels and set hard output volume\nawesome.export(\"mashup.mp3\", format=\"mp3\", parameters=[\"-ac\", \"2\", \"-vol\", \"150\"])\n```\n\n## Debugging\n\nMost issues people run into are related to converting between formats using\nffmpeg/avlib. Pydub provides a logger that outputs the subprocess calls to \nhelp you track down issues:\n\n```python\n>>> import logging\n\n>>> l = logging.getLogger(\"pydub.converter\")\n>>> l.setLevel(logging.DEBUG)\n>>> l.addHandler(logging.StreamHandler())\n\n>>> AudioSegment.from_file(\"./test/data/test1.mp3\")\nsubprocess.call(['ffmpeg', '-y', '-i', '/var/folders/71/42k8g72x4pq09tfp920d033r0000gn/T/tmpeZTgMy', '-vn', '-f', 'wav', '/var/folders/71/42k8g72x4pq09tfp920d033r0000gn/T/tmpK5aLcZ'])\n<pydub.audio_segment.AudioSegment object at 0x101b43e10>\n```\n\nDon't worry about the temporary files used in the conversion. They're cleaned up \nautomatically.\n\n## Bugs & Questions\n\nYou can file bugs in our [github issues tracker](https://github.com/jiaaro/pydub/issues), \nand ask any technical questions on \n[Stack Overflow using the pydub tag](http://stackoverflow.com/questions/ask?tags=pydub). \nWe keep an eye on both.\n\n## Installation\n\nInstalling pydub is easy, but don't forget to install ffmpeg/avlib (the next section in this doc)\n\n pip install pydub\n\nOr install the latest dev version from github (or replace `@master` with a [release version like `@v0.12.0`](https://github.com/jiaaro/pydub/releases))\u2026\n\n pip install git+https://github.com/jiaaro/pydub.git@master\n\n-OR-\n\n git clone https://github.com/jiaaro/pydub.git\n\n-OR-\n\nCopy the pydub directory into your python path. Zip \n[here](https://github.com/jiaaro/pydub/zipball/master)\n\n## Dependencies\n\nYou can open and save WAV files with pure python. For opening and saving non-wav \nfiles \u2013 like mp3 \u2013 you'll need [ffmpeg](http://www.ffmpeg.org/) or \n[libav](http://libav.org/).\n\n### Playback\n\nYou can play audio if you have one of these installed (simpleaudio _strongly_ recommended, even if you are installing ffmpeg/libav):\n\n - [simpleaudio](https://simpleaudio.readthedocs.io/en/latest/)\n - [pyaudio](https://people.csail.mit.edu/hubert/pyaudio/docs/#)\n - ffplay (usually bundled with ffmpeg, see the next section)\n - avplay (usually bundled with libav, see the next section)\n \n```python\nfrom pydub import AudioSegment\nfrom pydub.playback import play\n\nsound = AudioSegment.from_file(\"mysound.wav\", format=\"wav\")\nplay(sound)\n```\n\n## Getting ffmpeg set up\n\nYou may use **libav or ffmpeg**.\n\nMac (using [homebrew](http://brew.sh)):\n\n```bash\n# libav\nbrew install libav\n\n#### OR #####\n\n# ffmpeg\nbrew install ffmpeg\n```\n\nLinux (using aptitude):\n\n```bash\n# libav\napt-get install libav-tools libavcodec-extra\n\n#### OR #####\n\n# ffmpeg\napt-get install ffmpeg libavcodec-extra\n```\n\nWindows:\n\n1. Download and extract libav from [Windows binaries provided here](http://builds.libav.org/windows/).\n2. Add the libav `/bin` folder to your PATH envvar\n3. `pip install pydub`\n\n## Important Notes\n\n`AudioSegment` objects are [immutable](http://www.devshed.com/c/a/Python/String-and-List-Python-Object-Types/1/)\n\n\n### Ogg exporting and default codecs\n\nThe Ogg specification ([http://tools.ietf.org/html/rfc5334](rfc5334)) does not specify\nthe codec to use, this choice is left up to the user. Vorbis and Theora are just\nsome of a number of potential codecs (see page 3 of the rfc) that can be used for the\nencapsulated data.\n\nWhen no codec is specified exporting to `ogg` will _default_ to using `vorbis`\nas a convenience. That is:\n\n```python\nfrom pydub import AudioSegment\nsong = AudioSegment.from_mp3(\"test/data/test1.mp3\")\nsong.export(\"out.ogg\", format=\"ogg\") # Is the same as:\nsong.export(\"out.ogg\", format=\"ogg\", codec=\"libvorbis\")\n```\n\n## Example Use\n\nSuppose you have a directory filled with *mp4* and *flv* videos and you want to convert all of them to *mp3* so you can listen to them on your mp3 player.\n\n```python\nimport os\nimport glob\nfrom pydub import AudioSegment\n\nvideo_dir = '/home/johndoe/downloaded_videos/' # Path where the videos are located\nextension_list = ('*.mp4', '*.flv')\n\nos.chdir(video_dir)\nfor extension in extension_list:\n for video in glob.glob(extension):\n mp3_filename = os.path.splitext(os.path.basename(video))[0] + '.mp3'\n AudioSegment.from_file(video).export(mp3_filename, format='mp3')\n```\n\n### How about another example?\n\n```python\nfrom glob import glob\nfrom pydub import AudioSegment\n\nplaylist_songs = [AudioSegment.from_mp3(mp3_file) for mp3_file in glob(\"*.mp3\")]\n\nfirst_song = playlist_songs.pop(0)\n\n# let's just include the first 30 seconds of the first song (slicing\n# is done by milliseconds)\nbeginning_of_song = first_song[:30*1000]\n\nplaylist = beginning_of_song\nfor song in playlist_songs:\n\n # We don't want an abrupt stop at the end, so let's do a 10 second crossfades\n playlist = playlist.append(song, crossfade=(10 * 1000))\n\n# let's fade out the end of the last song\nplaylist = playlist.fade_out(30)\n\n# hmm I wonder how long it is... ( len(audio_segment) returns milliseconds )\nplaylist_length = len(playlist) / (1000*60)\n\n# lets save it!\nwith open(\"%s_minute_playlist.mp3\" % playlist_length, 'wb') as out_f:\n playlist.export(out_f, format='mp3')\n```\n\n## License ([MIT License](http://opensource.org/licenses/mit-license.php))\n\nCopyright \u00a9 2011 James Robert, http://jiaaro.com\n\nPermission is hereby granted, free of charge, to any person obtaining\na copy of this software and associated documentation files (the\n\"Software\"), to deal in the Software without restriction, including\nwithout limitation the rights to use, copy, modify, merge, publish,\ndistribute, sublicense, and/or sell copies of the Software, and to\npermit persons to whom the Software is furnished to do so, subject to\nthe following conditions:\n\nThe above copyright notice and this permission notice shall be\nincluded in all copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND,\nEXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\nMERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND\nNONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE\nLIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION\nOF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION\nWITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n",
"bugtrack_url": null,
"license": null,
"summary": "Manipulate audio with an simple and easy high level interface (POZAlabs forked)",
"version": "0.31.0",
"project_urls": null,
"split_keywords": [],
"urls": [
{
"comment_text": "",
"digests": {
"blake2b_256": "805157bdaa23f634762c9cf2df99947ec3cd84ecebe8323878c379817c8d1770",
"md5": "cfa85a6a6250259816d40956f1f4c5d4",
"sha256": "af5c286891f4ca135662ebd23edcbf16625a351d8018a3a159b1716484978a8e"
},
"downloads": -1,
"filename": "pozalabs_pydub-0.31.0.tar.gz",
"has_sig": false,
"md5_digest": "cfa85a6a6250259816d40956f1f4c5d4",
"packagetype": "sdist",
"python_version": "source",
"requires_python": "<4.0,>=3.11",
"size": 171148,
"upload_time": "2024-09-06T09:56:17",
"upload_time_iso_8601": "2024-09-06T09:56:17.172734Z",
"url": "https://files.pythonhosted.org/packages/80/51/57bdaa23f634762c9cf2df99947ec3cd84ecebe8323878c379817c8d1770/pozalabs_pydub-0.31.0.tar.gz",
"yanked": false,
"yanked_reason": null
}
],
"upload_time": "2024-09-06 09:56:17",
"github": false,
"gitlab": false,
"bitbucket": false,
"codeberg": false,
"lcname": "pozalabs-pydub"
}