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 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91
|
#! /usr/bin/env python
import numpy as np
from numpy.testing import TestCase, assert_equal, assert_almost_equal
from aubio import cvec, filterbank, float_type
from utils import array_from_text_file
class aubio_filterbank_test_case(TestCase):
def test_members(self):
f = filterbank(40, 512)
assert_equal ([f.n_filters, f.win_s], [40, 512])
def test_set_coeffs(self):
f = filterbank(40, 512)
r = np.random.random([40, int(512 / 2) + 1]).astype(float_type)
f.set_coeffs(r)
assert_equal (r, f.get_coeffs())
def test_phase(self):
f = filterbank(40, 512)
c = cvec(512)
c.phas[:] = np.pi
assert_equal( f(c), 0);
def test_norm(self):
f = filterbank(40, 512)
c = cvec(512)
c.norm[:] = 1
assert_equal( f(c), 0);
def test_random_norm(self):
f = filterbank(40, 512)
c = cvec(512)
c.norm[:] = np.random.random((int(512 / 2) + 1,)).astype(float_type)
assert_equal( f(c), 0)
def test_random_coeffs(self):
win_s = 128
f = filterbank(40, win_s)
c = cvec(win_s)
r = np.random.random([40, int(win_s / 2) + 1]).astype(float_type)
r /= r.sum()
f.set_coeffs(r)
c.norm[:] = np.random.random((int(win_s / 2) + 1,)).astype(float_type)
assert_equal ( f(c) < 1., True )
assert_equal ( f(c) > 0., True )
def test_mfcc_coeffs(self):
f = filterbank(40, 512)
c = cvec(512)
f.set_mel_coeffs_slaney(44100)
c.norm[:] = np.random.random((int(512 / 2) + 1,)).astype(float_type)
assert_equal ( f(c) < 1., True )
assert_equal ( f(c) > 0., True )
def test_mfcc_coeffs_16000(self):
expected = array_from_text_file('filterbank_mfcc_16000_512.expected')
f = filterbank(40, 512)
f.set_mel_coeffs_slaney(16000)
assert_almost_equal ( expected, f.get_coeffs() )
def test_mfcc_coeffs_get_coeffs(self):
f = filterbank(40, 512)
coeffs = f.get_coeffs()
self.assertIsInstance(coeffs, np.ndarray)
assert_equal (coeffs, 0)
assert_equal (np.shape(coeffs), (40, 512 / 2 + 1))
class aubio_filterbank_wrong_values(TestCase):
def test_negative_window(self):
self.assertRaises(ValueError, filterbank, 40, -20)
def test_negative_filters(self):
self.assertRaises(ValueError, filterbank, -40, 1024)
def test_filterbank_long_cvec(self):
f = filterbank(40, 512)
with self.assertRaises(ValueError):
f(cvec(1024))
def test_filterbank_short_cvec(self):
f = filterbank(40, 512)
with self.assertRaises(ValueError):
f(cvec(256))
if __name__ == '__main__':
from unittest import main
main()
|