Spaces:
Build error
Build error
File size: 2,065 Bytes
c970deb 0760318 c970deb 0760318 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 |
import tempfile
import librosa
class AudioIOReadError(BaseException): # pylint:disable=g-bad-exception-name
pass
def upload_audio(audio, sample_rate):
return wav_data_to_samples_librosa(audio, sample_rate=sample_rate)
def wav_data_to_samples_librosa(audio_file, sample_rate):
"""Loads an in-memory audio file with librosa.
Use this instead of wav_data_to_samples if the wav is 24-bit, as that's
incompatible with wav_data_to_samples internal scipy call.
Will copy to a local temp file before loading so that librosa can read a file
path. Librosa does not currently read in-memory files.
It will be treated as a .wav file.
Args:
audio_file: Wav file to load.
sample_rate: The number of samples per second at which the audio will be
returned. Resampling will be performed if necessary.
Returns:
A numpy array of audio samples, single-channel (mono) and sampled at the
specified rate, in float32 format.
Raises:
AudioIOReadException: If librosa is unable to load the audio data.
"""
with tempfile.NamedTemporaryFile(suffix='.wav') as wav_input_file:
wav_input_file.write(audio_file)
# Before copying the file, flush any contents
wav_input_file.flush()
# And back the file position to top (not need for Copy but for certainty)
wav_input_file.seek(0)
return load_audio(wav_input_file.name, sample_rate)
def load_audio(audio_filename, sample_rate, duration=10):
"""Loads an audio file.
Args:
audio_filename: File path to load.
sample_rate: The number of samples per second at which the audio will be
returned. Resampling will be performed if necessary.
Returns:
A numpy array of audio samples, single-channel (mono) and sampled at the
specified rate, in float32 format.
Raises:
AudioIOReadError: If librosa is unable to load the audio data.
"""
try:
y, unused_sr = librosa.load(audio_filename, sr=sample_rate, mono=True, duration=duration)
except Exception as e: # pylint: disable=broad-except
raise AudioIOReadError(e)
return y |