Assignment 8: Tube Resonances

Size: px
Start display at page:

Download "Assignment 8: Tube Resonances"

Transcription

1 Linguistics 582 Basics of Digital Signal Processing Assignment 8: Tube Resonances Reading: Stevens, K. (1989). On the quantal nature of speech. Journal of Phonetics, 17, Read pp ONLY. Johnson, K. Chapter 6 Exercise: The vocal tract slide trombone: nomograms Stevens (1989) analyzes the resonances of idealized tube configurations that correspond in essential ways to the shapes of the vocal tract in the production of vowels. The tube configurations involve the concatenation of up to four cavities or sub-tubes, each characterized by a length and an area. back tube (Lback, Aback) constriction tube (Lcons, Acons) front tube (Lfront, Afront) lip tube (Llips, Alips) The upper figure on the following page shows one tube configuration (without a lip tube), and the lower one, traditionally called a nomogram, shows how resonances depend on the location the constriction cavity (represented by the length of the back cavity), as it slides from the back of the tube to the front, for 3 different values of Acons. The goal of this exercise to write functions that can be used to reproduce the nomograms by sliding a constriction in steps, calculating formant frequencies of each step, and also playing the sound that would be produced for each step by using the synthesize function. The basic script for producing the nomogram is called playtubes, and is shown on the next page. The script first sets some constants, then changes the value of Lback in a loop and calls a function called tuberes to calculate values of the formant frequencies (which are accumulated in a matrix and plotted as a nomogram at the end of the loop), a function called vt_transfer, to calculate an approximation to the vocal tract transfer function from the formant frequencies, and synthesize_only, that you used for this week s homework, that plays the synthesized sound, but suppresses any plottting. At each step through the loop, the vocal tract transfer function returned by vt_transfer is plotted, along with the area function, calculated by makeareas function (see below). The area function is a description of the tube as composed of a number of equal sections from the larynx to the lips, each of which has a particular area. At each step, the sound that would be produced by filtering a buzz through the formants is also played out.

2 Aback Acons Afront Lback Lcons Lfront

3 % playtubes.m % Louis Goldstein % 12 October 2009 % Slide constriction along VT, calculate resonances, F,BW,transfer function, and sound % plot nomogram % set constants L = 16; Lcons = 2; Afront = 3; Acons =.2; Aback = 3; srate = 10000; sectionsize =.5; f0 = 100; dur =.5; % initialize nomogram Fall = []; % begin loop with Lback=1cm; % end when the Lfront=1cm; for Lback = 1:sectionsize:(L-(Lcons+1)) Lfront = L - (Lback + Lcons); [A dist] = makeareas (sectionsize, Lback, Lcons, Lfront, Aback, Acons, Afront) figure (1) subplot (2,1,1), plot (dist, A, 'o-'); ylabel ('Area in cm') title ('Distance from Glottis') F = tuberes (srate, Lback, Lcons, Lfront, Aback, Acons, Afront); if length(f)<4 F(4) = 5000; end BW = getbandwidths(f); % uses empirical approximation of Fant (1984) [h,w] = vt_transfer(srate,f,bw); subplot (2,1,2), plot (w*srate/(2.*pi), 10*log(abs(h))) ylabel ('DB') xlabel ('Frequency in Hz') title ('Vocal Tract Transfer Function') out = syn_noplot(srate,f,bw,f0,dur); Fall = [Fall F(1:4)']; pause (1) end % plot nomogram figure (4) Lback = 1:sectionsize:(L-(Lcons+1)) plot (Lback, Fall) ylim = [0 4000]; xlabel ('Length of Back Cavity in cm'); ylabel ('Formant Frequency in Hz');

4 (1) Complete playtubes.m by writing the function tuberes. Test it to make sure it works. (a) tuberes.m To keep things relatively simple for this version, restrict the function to the case in which there is no separate lip tubelet, thus the tuberes function should look like this: function F = tuberes(srate, Lback, Lcons, Lfront, Aback, Acons, Afront) input arguments: srate sampling rate in Hz Lback length of back cavity in cm Lcons length of constriction cavity in cm Lfront length of front cavity in cm Aback area of back cavity in cm^2 Acons area of constriction cavity in cm^2 Afront area of front cavity in cm^2 output argument: F vector of formant frequencies How are the formants calculated? 1. For each of the 3 tubelets, calculate the lowest 4 uncoupled natural resonances. The back tube is effectively closed at both ends. The constriction tube is effectively open at both ends The front tube is effectively closed at one end, open at the other 2. Calculate the Helmholtz resonance of the back cavity and constriction cavity system, as below: 3. Concatenate all resonances into a single vector and sort from lowest to highest frequency. To sort, you can use the Matlab sort function. 4. Now approximate the effects of coupling. Check each successive pair of formants to see if they are separated by at least ΔF Hz (see below). If not, set the higher of the pair to the lower value plus ΔF. ΔF = f = c 2π Acons Aback Lback Lcons c 2 2π 2 Lcons L Fn Acons A where

5 c = cm/sec (speed of sound) L = max(lback, Lfront) A = min(aback, Afront) Fn = the frequency of the lower member of the pair 5. Truncate the formant vector so the highest formant frequency is the (srate/2). (2) Create a new version of playtubes.m called playtubes_long.m, that will generate more realistic tube shapes for front non-low vowels (see Stevens, Figures 7 and 8). To do so, Set: Lcons=5; Acons=.3 Aback=3; Afront=1; (3) An alternative method of calculating tube resonances is shown in playtubes_direct.m, which calls the function tuberes_direct. These are shown on the last two pages. tuberes_direct works by first computing the reflection coefficients between adjacent area sections, and then using MATLAB s rc2poly function to derive filter coefficients from reflection coefficients via a lattice implementation. This calculation is more exact than the one in tuberes.m. Create a new version of playtubes_direct.m called playtubes_lips_direct.m,that will generate a nomogram for a tube configuration with a lip tubelet of 1 cm length (Llips), and an area of.3 cm 2 (Alips). (See figure below). The overall length of the vocal tract should remain 16 cm, including the lip section. Other Length and Area parameters can remain the same as in playtubes. To do this, you will need to create a new version of makeareas, called makeareas_lips, which will add two additional arguments, Alips and Llips. The main loop in playtubes will also have to be modified to accommodate the lip tubelet. Aback Acons Afront Alips Lback Lcons Lfront Llips

6 % makeareas.m % Louis Goldstein % 13 October 2009 % % make area function (Area of equal sections as a function of distance from glottis) % from the lengths and areas of tubelets and the length of sections % into which to divide the tube. % % input arguments: % sectionsize length of each section in cm % Lback length of back cavity in cm % Lcons length of constriction cavity in cm % Lfront length of front cavity in cm % Aback area of back cavity in cm^2 % Acons area of constriction cavity in cm^2 % Afront area of front cavity in cm^2 % % output arguments: % A vector containing areas of each section from larynx to lips % dist vector containing distance of each section from larynx function [A dist] = makeareas (sectionsize, Lback, Lcons, Lfront, Aback, Acons, Afront) Back_end = 1+floor(Lback/sectionsize); Cons_end = Back_end + floor(lcons/sectionsize); Front_end = Cons_end + floor(lfront/sectionsize); A(1:Back_end) = Aback; A(Back_end+1:Cons_end) = Acons; A(Cons_end+1:Front_end) = Afront; dist = [0:sectionsize:Lback+Lcons+Lfront];

7 % playtubes_direct.m same as playtubes.m, except for 2 bolded lines. % Louis Goldstein % 12 October 2009 % Slide constriction along VT, calculate resonances, F,BW,transfer function, and sound % plot nomogram % set constants L = 16; Lcons = 2; Afront = 3; Acons =.2; Aback = 3; srate = 10000; sectionsize =.5; f0 = 100; dur =.5; % initialize nomogram Fall = []; % begin loop with Lback=1cm; % end when the Lfront=1cm; for Lback = 1:sectionsize:(L-(Lcons+1)) Lfront = L - (Lback + Lcons); [A dist] = makeareas (sectionsize, Lback, Lcons, Lfront, Aback, Acons, Afront); figure (1) subplot (2,1,1), plot (dist, A, 'o-'); ylabel ('Area in cm') title ('Distance from Glottis') F= TubeRes_direct(A, dist); F = F(F<srate/2); BW = getbandwidths(f); [h,w] = vt_transfer(srate,f,bw); subplot (2,1,2), plot (w*srate/(2.*pi), 10*log(abs(h))) ylabel ('DB') xlabel ('Frequency in Hz') title ('Vocal Tract Transfer Function') out = syn_noplot(srate,f,bw,f0,dur); Fall = [Fall F(1:4)]; pause (1) end % plot nomogram figure (5) Lback = 1:sectionsize:(L-(Lcons+1)) length(lback) size(fall) plot (Lback, Fall); ylim = [0 5000]; xlabel ('Length of Back Cavity in cm'); ylabel ('Formant Frequency in Hz');

8 function [F, a, srate] = tuberes_direct(area, dist) % Louis Goldstein % Oct 13, 2009 % Calculate the resonances of an area function with % an arbitary number of sections, and an arbitary length % function [F, a, srate] = tuberesonances(area, tube_length) % Input arguments: % area vector containing areas of each section from larynx to lips % dist vector containing distance of each section from larynx % Output arguments: % F vector of formant frequencies % a vector of filter coefficients % srate sampling rate in Hz m = length(area); tube_length = dist(m) % m is the number of area sections % sampling period has to be equal to the time it would take % for a wave to travel from one section to the next % and back c = 35000; % speed of sound in cm/sec T = (tube_length/m)*2/c; % time = distance / velocity srate = 1/T; % calculate the reflection coefficient between pairs of sections for i = 1:m-1 k(i) = (area(i+1) - area(i))/(area(i+1) + area(i)); end % the last reflection coefficient is 1, since it the tube area % is assumed to be small compared to the open air k(m) =.999; % calculate a filter coefficients from the reflection coefficients a = rc2poly(k); % find formant frequencies by taking the roots of a and converting to Hz. F = formants (a, srate);

Assignment 7: Tube Resonances

Assignment 7: Tube Resonances Linguistics 582 Basics of Digital Signal Processing Reading: Assignment 7: Tube Resonances Stevens, K. (1989). On the quantal nature of speech. Journal of Phonetics, 17, 3-45. Read pp. 3-20. ONLY. Johnson,

More information

Location of sound source and transfer functions

Location of sound source and transfer functions Location of sound source and transfer functions Sounds produced with source at the larynx either voiced or voiceless (aspiration) sound is filtered by entire vocal tract Transfer function is well modeled

More information

Linguistic Phonetics. The acoustics of vowels

Linguistic Phonetics. The acoustics of vowels 24.963 Linguistic Phonetics The acoustics of vowels No class on Tuesday 0/3 (Tuesday is a Monday) Readings: Johnson chapter 6 (for this week) Liljencrants & Lindblom (972) (for next week) Assignment: Modeling

More information

Resonance and resonators

Resonance and resonators Resonance and resonators Dr. Christian DiCanio cdicanio@buffalo.edu University at Buffalo 10/13/15 DiCanio (UB) Resonance 10/13/15 1 / 27 Harmonics Harmonics and Resonance An example... Suppose you are

More information

INTRODUCTION TO ACOUSTIC PHONETICS 2 Hilary Term, week 6 22 February 2006

INTRODUCTION TO ACOUSTIC PHONETICS 2 Hilary Term, week 6 22 February 2006 1. Resonators and Filters INTRODUCTION TO ACOUSTIC PHONETICS 2 Hilary Term, week 6 22 February 2006 Different vibrating objects are tuned to specific frequencies; these frequencies at which a particular

More information

The source-filter model of speech production"

The source-filter model of speech production 24.915/24.963! Linguistic Phonetics! The source-filter model of speech production" Glottal airflow Output from lips 400 200 0.1 0.2 0.3 Time (in secs) 30 20 10 0 0 1000 2000 3000 Frequency (Hz) Source

More information

Source-filter analysis of fricatives

Source-filter analysis of fricatives 24.915/24.963 Linguistic Phonetics Source-filter analysis of fricatives Figure removed due to copyright restrictions. Readings: Johnson chapter 5 (speech perception) 24.963: Fujimura et al (1978) Noise

More information

Foundations of Language Science and Technology. Acoustic Phonetics 1: Resonances and formants

Foundations of Language Science and Technology. Acoustic Phonetics 1: Resonances and formants Foundations of Language Science and Technology Acoustic Phonetics 1: Resonances and formants Jan 19, 2015 Bernd Möbius FR 4.7, Phonetics Saarland University Speech waveforms and spectrograms A f t Formants

More information

Filters. Signals are sequences of numbers. Simple algebraic operations on signals can perform useful functions: shifting multiplication addition

Filters. Signals are sequences of numbers. Simple algebraic operations on signals can perform useful functions: shifting multiplication addition Filters Signals are sequences of numbers. Simple algebraic operations on signals can perform useful functions: shifting multiplication addition Simple Example... Smooth points to better reveal trend X

More information

Nature of Noise source. soundsc (noise, 10000);

Nature of Noise source. soundsc (noise, 10000); Noise Sources Voiceless aspiration can be produced with a noise source at the glottis. (also for voiceless sonorants, including vowels) Noise source that is filtered through VT cascade, so some resonance

More information

Subtractive Synthesis. Describing a Filter. Filters. CMPT 468: Subtractive Synthesis

Subtractive Synthesis. Describing a Filter. Filters. CMPT 468: Subtractive Synthesis Subtractive Synthesis CMPT 468: Subtractive Synthesis Tamara Smyth, tamaras@cs.sfu.ca School of Computing Science, Simon Fraser University November, 23 Additive synthesis involves building the sound by

More information

Quarterly Progress and Status Report. A note on the vocal tract wall impedance

Quarterly Progress and Status Report. A note on the vocal tract wall impedance Dept. for Speech, Music and Hearing Quarterly Progress and Status Report A note on the vocal tract wall impedance Fant, G. and Nord, L. and Branderud, P. journal: STL-QPSR volume: 17 number: 4 year: 1976

More information

Source-Filter Theory 1

Source-Filter Theory 1 Source-Filter Theory 1 Vocal tract as sound production device Sound production by the vocal tract can be understood by analogy to a wind or brass instrument. sound generation sound shaping (or filtering)

More information

A() I I X=t,~ X=XI, X=O

A() I I X=t,~ X=XI, X=O 6 541J Handout T l - Pert r tt Ofl 11 (fo 2/19/4 A() al -FA ' AF2 \ / +\ X=t,~ X=X, X=O, AF3 n +\ A V V V x=-l x=o Figure 3.19 Curves showing the relative magnitude and direction of the shift AFn in formant

More information

Source-filter Analysis of Consonants: Nasals and Laterals

Source-filter Analysis of Consonants: Nasals and Laterals L105/205 Phonetics Scarborough Handout 11 Nov. 3, 2005 reading: Johnson Ch. 9 (today); Pickett Ch. 5 (Tues.) Source-filter Analysis of Consonants: Nasals and Laterals 1. Both nasals and laterals have voicing

More information

SPEECH AND SPECTRAL ANALYSIS

SPEECH AND SPECTRAL ANALYSIS SPEECH AND SPECTRAL ANALYSIS 1 Sound waves: production in general: acoustic interference vibration (carried by some propagation medium) variations in air pressure speech: actions of the articulatory organs

More information

WaveSurfer. Basic acoustics part 2 Spectrograms, resonance, vowels. Spectrogram. See Rogers chapter 7 8

WaveSurfer. Basic acoustics part 2 Spectrograms, resonance, vowels. Spectrogram. See Rogers chapter 7 8 WaveSurfer. Basic acoustics part 2 Spectrograms, resonance, vowels See Rogers chapter 7 8 Allows us to see Waveform Spectrogram (color or gray) Spectral section short-time spectrum = spectrum of a brief

More information

Subtractive Synthesis & Formant Synthesis

Subtractive Synthesis & Formant Synthesis Subtractive Synthesis & Formant Synthesis Prof Eduardo R Miranda Varèse-Gastprofessor eduardo.miranda@btinternet.com Electronic Music Studio TU Berlin Institute of Communications Research http://www.kgw.tu-berlin.de/

More information

Quarterly Progress and Status Report. Computing formant frequencies for VT configurations with abruptly changing area functions

Quarterly Progress and Status Report. Computing formant frequencies for VT configurations with abruptly changing area functions Dept. for Speech, Music and Hearing Quarterly Progress and Status Report Computing formant frequencies for VT configurations with abruptly changing area functions Sundberg, J. and Lindblom, B. journal:

More information

Linguistic Phonetics. Spectral Analysis

Linguistic Phonetics. Spectral Analysis 24.963 Linguistic Phonetics Spectral Analysis 4 4 Frequency (Hz) 1 Reading for next week: Liljencrants & Lindblom 1972. Assignment: Lip-rounding assignment, due 1/15. 2 Spectral analysis techniques There

More information

Synthesis Algorithms and Validation

Synthesis Algorithms and Validation Chapter 5 Synthesis Algorithms and Validation An essential step in the study of pathological voices is re-synthesis; clear and immediate evidence of the success and accuracy of modeling efforts is provided

More information

Electrical & Computer Engineering Technology

Electrical & Computer Engineering Technology Electrical & Computer Engineering Technology EET 419C Digital Signal Processing Laboratory Experiments by Masood Ejaz Experiment # 1 Quantization of Analog Signals and Calculation of Quantized noise Objective:

More information

COMP 546, Winter 2017 lecture 20 - sound 2

COMP 546, Winter 2017 lecture 20 - sound 2 Today we will examine two types of sounds that are of great interest: music and speech. We will see how a frequency domain analysis is fundamental to both. Musical sounds Let s begin by briefly considering

More information

HCS / ACN 6389 Speech Perception Lab

HCS / ACN 6389 Speech Perception Lab HCS / ACN 6389 Speech Perception Lab Course Requirements Matlab problems & lab assignments (40%) Oral presentations (10%) Term project paper (50%) Dr. Peter Assmann Fall 2017 2 Term project: important

More information

Attia, John Okyere. Plotting Commands. Electronics and Circuit Analysis using MATLAB. Ed. John Okyere Attia Boca Raton: CRC Press LLC, 1999

Attia, John Okyere. Plotting Commands. Electronics and Circuit Analysis using MATLAB. Ed. John Okyere Attia Boca Raton: CRC Press LLC, 1999 Attia, John Okyere. Plotting Commands. Electronics and Circuit Analysis using MATLAB. Ed. John Okyere Attia Boca Raton: CRC Press LLC, 1999 1999 by CRC PRESS LLC CHAPTER TWO PLOTTING COMMANDS 2.1 GRAPH

More information

EC 6501 DIGITAL COMMUNICATION UNIT - II PART A

EC 6501 DIGITAL COMMUNICATION UNIT - II PART A EC 6501 DIGITAL COMMUNICATION 1.What is the need of prediction filtering? UNIT - II PART A [N/D-16] Prediction filtering is used mostly in audio signal processing and speech processing for representing

More information

Structure of Speech. Physical acoustics Time-domain representation Frequency domain representation Sound shaping

Structure of Speech. Physical acoustics Time-domain representation Frequency domain representation Sound shaping Structure of Speech Physical acoustics Time-domain representation Frequency domain representation Sound shaping Speech acoustics Source-Filter Theory Speech Source characteristics Speech Filter characteristics

More information

Project 0: Part 2 A second hands-on lab on Speech Processing Frequency-domain processing

Project 0: Part 2 A second hands-on lab on Speech Processing Frequency-domain processing Project : Part 2 A second hands-on lab on Speech Processing Frequency-domain processing February 24, 217 During this lab, you will have a first contact on frequency domain analysis of speech signals. You

More information

EE 225D LECTURE ON SPEECH SYNTHESIS. University of California Berkeley

EE 225D LECTURE ON SPEECH SYNTHESIS. University of California Berkeley University of California Berkeley College of Engineering Department of Electrical Engineering and Computer Sciences Professors : N.Morgan / B.Gold EE225D Speech Synthesis Spring,1999 Lecture 23 N.MORGAN

More information

DSP First. Laboratory Exercise #2. Introduction to Complex Exponentials

DSP First. Laboratory Exercise #2. Introduction to Complex Exponentials DSP First Laboratory Exercise #2 Introduction to Complex Exponentials The goal of this laboratory is gain familiarity with complex numbers and their use in representing sinusoidal signals as complex exponentials.

More information

CS 188: Artificial Intelligence Spring Speech in an Hour

CS 188: Artificial Intelligence Spring Speech in an Hour CS 188: Artificial Intelligence Spring 2006 Lecture 19: Speech Recognition 3/23/2006 Dan Klein UC Berkeley Many slides from Dan Jurafsky Speech in an Hour Speech input is an acoustic wave form s p ee ch

More information

Digital Speech Processing and Coding

Digital Speech Processing and Coding ENEE408G Spring 2006 Lecture-2 Digital Speech Processing and Coding Spring 06 Instructor: Shihab Shamma Electrical & Computer Engineering University of Maryland, College Park http://www.ece.umd.edu/class/enee408g/

More information

GLOTTAL EXCITATION EXTRACTION OF VOICED SPEECH - JOINTLY PARAMETRIC AND NONPARAMETRIC APPROACHES

GLOTTAL EXCITATION EXTRACTION OF VOICED SPEECH - JOINTLY PARAMETRIC AND NONPARAMETRIC APPROACHES Clemson University TigerPrints All Dissertations Dissertations 5-2012 GLOTTAL EXCITATION EXTRACTION OF VOICED SPEECH - JOINTLY PARAMETRIC AND NONPARAMETRIC APPROACHES Yiqiao Chen Clemson University, rls_lms@yahoo.com

More information

EE482: Digital Signal Processing Applications

EE482: Digital Signal Processing Applications Professor Brendan Morris, SEB 3216, brendan.morris@unlv.edu EE482: Digital Signal Processing Applications Spring 2014 TTh 14:30-15:45 CBC C222 Lecture 12 Speech Signal Processing 14/03/25 http://www.ee.unlv.edu/~b1morris/ee482/

More information

Review: Frequency Response Graph. Introduction to Speech and Science. Review: Vowels. Response Graph. Review: Acoustic tube models

Review: Frequency Response Graph. Introduction to Speech and Science. Review: Vowels. Response Graph. Review: Acoustic tube models eview: requency esponse Graph Introduction to Speech and Science Lecture 5 ricatives and Spectrograms requency Domain Description Input Signal System Output Signal Output = Input esponse? eview: requency

More information

Lab 4 Fourier Series and the Gibbs Phenomenon

Lab 4 Fourier Series and the Gibbs Phenomenon Lab 4 Fourier Series and the Gibbs Phenomenon EE 235: Continuous-Time Linear Systems Department of Electrical Engineering University of Washington This work 1 was written by Amittai Axelrod, Jayson Bowen,

More information

Contents. An introduction to MATLAB for new and advanced users

Contents. An introduction to MATLAB for new and advanced users An introduction to MATLAB for new and advanced users (Using Two-Dimensional Plots) Contents Getting Started Creating Arrays Mathematical Operations with Arrays Using Script Files and Managing Data Two-Dimensional

More information

Speech Processing. Undergraduate course code: LASC10061 Postgraduate course code: LASC11065

Speech Processing. Undergraduate course code: LASC10061 Postgraduate course code: LASC11065 Speech Processing Undergraduate course code: LASC10061 Postgraduate course code: LASC11065 All course materials and handouts are the same for both versions. Differences: credits (20 for UG, 10 for PG);

More information

A Theoretically. Synthesis of Nasal Consonants: Based Approach. Andrew Ian Russell

A Theoretically. Synthesis of Nasal Consonants: Based Approach. Andrew Ian Russell Synthesis of Nasal Consonants: Based Approach by Andrew Ian Russell A Theoretically Submitted to the Department of Electrical Engineering and Computer Science in partial fulfillment of the requirements

More information

Fall Music 320A Homework #2 Sinusoids, Complex Sinusoids 145 points Theory and Lab Problems Due Thursday 10/11/2018 before class

Fall Music 320A Homework #2 Sinusoids, Complex Sinusoids 145 points Theory and Lab Problems Due Thursday 10/11/2018 before class Fall 2018 2019 Music 320A Homework #2 Sinusoids, Complex Sinusoids 145 points Theory and Lab Problems Due Thursday 10/11/2018 before class Theory Problems 1. 15 pts) [Sinusoids] Define xt) as xt) = 2sin

More information

Acoustic Phonetics. Chapter 8

Acoustic Phonetics. Chapter 8 Acoustic Phonetics Chapter 8 1 1. Sound waves Vocal folds/cords: Frequency: 300 Hz 0 0 0.01 0.02 0.03 2 1.1 Sound waves: The parts of waves We will be considering the parts of a wave with the wave represented

More information

Synthesis: From Frequency to Time-Domain

Synthesis: From Frequency to Time-Domain Synthesis: From Frequency to Time-Domain I Synthesis is a straightforward process; it is a lot like following a recipe. I Ingredients are given by the spectrum X (f )={(X 0, 0), (X 1, f 1 ), (X 1, f 1),...,

More information

Computer exercise 3: Normalized Least Mean Square

Computer exercise 3: Normalized Least Mean Square 1 Computer exercise 3: Normalized Least Mean Square This exercise is about the normalized least mean square (LMS) algorithm, a variation of the standard LMS algorithm, which has been the topic of the previous

More information

Reading: Johnson Ch , Ch.5.5 (today); Liljencrants & Lindblom; Stevens (Tues) reminder: no class on Thursday.

Reading: Johnson Ch , Ch.5.5 (today); Liljencrants & Lindblom; Stevens (Tues) reminder: no class on Thursday. L105/205 Phonetics Scarborough Handout 7 10/18/05 Reading: Johnson Ch.2.3.3-2.3.6, Ch.5.5 (today); Liljencrants & Lindblom; Stevens (Tues) reminder: no class on Thursday Spectral Analysis 1. There are

More information

The Formula for Sinusoidal Signals

The Formula for Sinusoidal Signals The Formula for I The general formula for a sinusoidal signal is x(t) =A cos(2pft + f). I A, f, and f are parameters that characterize the sinusoidal sinal. I A - Amplitude: determines the height of the

More information

Audio Signal Compression using DCT and LPC Techniques

Audio Signal Compression using DCT and LPC Techniques Audio Signal Compression using DCT and LPC Techniques P. Sandhya Rani#1, D.Nanaji#2, V.Ramesh#3,K.V.S. Kiran#4 #Student, Department of ECE, Lendi Institute Of Engineering And Technology, Vizianagaram,

More information

Linear Predictive Coding *

Linear Predictive Coding * OpenStax-CNX module: m45345 1 Linear Predictive Coding * Kiefer Forseth This work is produced by OpenStax-CNX and licensed under the Creative Commons Attribution License 3.0 1 LPC Implementation Linear

More information

Subglottal coupling and its influence on vowel formants

Subglottal coupling and its influence on vowel formants Subglottal coupling and its influence on vowel formants Xuemin Chi a and Morgan Sonderegger b Speech Communication Group, RLE, MIT, Cambridge, Massachusetts 02139 Received 25 September 2006; revised 14

More information

Digital Signal Processing

Digital Signal Processing COMP ENG 4TL4: Digital Signal Processing Notes for Lecture #27 Tuesday, November 11, 23 6. SPECTRAL ANALYSIS AND ESTIMATION 6.1 Introduction to Spectral Analysis and Estimation The discrete-time Fourier

More information

An Implementation of the Klatt Speech Synthesiser*

An Implementation of the Klatt Speech Synthesiser* REVISTA DO DETUA, VOL. 2, Nº 1, SETEMBRO 1997 1 An Implementation of the Klatt Speech Synthesiser* Luis Miguel Teixeira de Jesus, Francisco Vaz, José Carlos Principe Resumo - Neste trabalho descreve-se

More information

Digital Signalbehandling i Audio/Video

Digital Signalbehandling i Audio/Video Digital Signalbehandling i Audio/Video Institutionen för Elektrovetenskap Computer exercise 4 in english Martin Stridh Lund 2006 2 Innehåll 1 Datorövningar 5 1.1 Exercises for exercise 12/Computer exercise

More information

Fourier Series and Gibbs Phenomenon

Fourier Series and Gibbs Phenomenon Fourier Series and Gibbs Phenomenon University Of Washington, Department of Electrical Engineering This work is produced by The Connexions Project and licensed under the Creative Commons Attribution License

More information

EECE 323 Fundamentals of Digital Signal Processing. Spring Section A. Practical Homework MATLAB Application on Aliasing and Antialiasing

EECE 323 Fundamentals of Digital Signal Processing. Spring Section A. Practical Homework MATLAB Application on Aliasing and Antialiasing EECE 323 Fundamentals of Digital Signal Processing Spring 2013 Section A Practical Homework MATLAB Application on Aliasing and Antialiasing Student Name: Sharbel Dahlan ID: 1004018456 Instructor: Dr. Jinane

More information

ASPIRATION NOISE DURING PHONATION: SYNTHESIS, ANALYSIS, AND PITCH-SCALE MODIFICATION DARYUSH MEHTA

ASPIRATION NOISE DURING PHONATION: SYNTHESIS, ANALYSIS, AND PITCH-SCALE MODIFICATION DARYUSH MEHTA ASPIRATION NOISE DURING PHONATION: SYNTHESIS, ANALYSIS, AND PITCH-SCALE MODIFICATION by DARYUSH MEHTA B.S., Electrical Engineering (23) University of Florida SUBMITTED TO THE DEPARTMENT OF ELECTRICAL ENGINEERING

More information

Acoustic Phonetics. How speech sounds are physically represented. Chapters 12 and 13

Acoustic Phonetics. How speech sounds are physically represented. Chapters 12 and 13 Acoustic Phonetics How speech sounds are physically represented Chapters 12 and 13 1 Sound Energy Travels through a medium to reach the ear Compression waves 2 Information from Phonetics for Dummies. William

More information

DIVERSE RESONANCE TUNING STRATEGIES FOR WOMEN SINGERS

DIVERSE RESONANCE TUNING STRATEGIES FOR WOMEN SINGERS DIVERSE RESONANCE TUNING STRATEGIES FOR WOMEN SINGERS John Smith Joe Wolfe Nathalie Henrich Maëva Garnier Physics, University of New South Wales, Sydney j.wolfe@unsw.edu.au Physics, University of New South

More information

Block diagram of proposed general approach to automatic reduction of speech wave to lowinformation-rate signals.

Block diagram of proposed general approach to automatic reduction of speech wave to lowinformation-rate signals. XIV. SPEECH COMMUNICATION Prof. M. Halle G. W. Hughes J. M. Heinz Prof. K. N. Stevens Jane B. Arnold C. I. Malme Dr. T. T. Sandel P. T. Brady F. Poza C. G. Bell O. Fujimura G. Rosen A. AUTOMATIC RESOLUTION

More information

Computer Programming ECIV 2303 Chapter 5 Two-Dimensional Plots Instructor: Dr. Talal Skaik Islamic University of Gaza Faculty of Engineering

Computer Programming ECIV 2303 Chapter 5 Two-Dimensional Plots Instructor: Dr. Talal Skaik Islamic University of Gaza Faculty of Engineering Computer Programming ECIV 2303 Chapter 5 Two-Dimensional Plots Instructor: Dr. Talal Skaik Islamic University of Gaza Faculty of Engineering 1 Introduction Plots are a very useful tool for presenting information.

More information

MAKE SOMETHING THAT TALKS?

MAKE SOMETHING THAT TALKS? MAKE SOMETHING THAT TALKS? Modeling the Human Vocal Tract pitch, timing, and formant control signals pitch, timing, and formant control signals lips, teeth, and tongue formant cavity 2 formant cavity 1

More information

Speech Synthesis; Pitch Detection and Vocoders

Speech Synthesis; Pitch Detection and Vocoders Speech Synthesis; Pitch Detection and Vocoders Tai-Shih Chi ( 冀泰石 ) Department of Communication Engineering National Chiao Tung University May. 29, 2008 Speech Synthesis Basic components of the text-to-speech

More information

Chapter 3. Description of the Cascade/Parallel Formant Synthesizer. 3.1 Overview

Chapter 3. Description of the Cascade/Parallel Formant Synthesizer. 3.1 Overview Chapter 3 Description of the Cascade/Parallel Formant Synthesizer The Klattalk system uses the KLSYN88 cascade-~arallel formant synthesizer that was first described in Klatt and Klatt (1990). This speech

More information

Lab 8. ANALYSIS OF COMPLEX SOUNDS AND SPEECH ANALYSIS Amplitude, loudness, and decibels

Lab 8. ANALYSIS OF COMPLEX SOUNDS AND SPEECH ANALYSIS Amplitude, loudness, and decibels Lab 8. ANALYSIS OF COMPLEX SOUNDS AND SPEECH ANALYSIS Amplitude, loudness, and decibels A complex sound with particular frequency can be analyzed and quantified by its Fourier spectrum: the relative amplitudes

More information

Statistical NLP Spring Unsupervised Tagging?

Statistical NLP Spring Unsupervised Tagging? Statistical NLP Spring 2008 Lecture 9: Speech Signal Dan Klein UC Berkeley Unsupervised Tagging? AKA part-of-speech induction Task: Raw sentences in Tagged sentences out Obvious thing to do: Start with

More information

ELT COMMUNICATION THEORY

ELT COMMUNICATION THEORY ELT 41307 COMMUNICATION THEORY Matlab Exercise #1 Sampling, Fourier transform, Spectral illustrations, and Linear filtering 1 SAMPLING The modeled signals and systems in this course are mostly analog (continuous

More information

ECE 5650/4650 MATLAB Project 1

ECE 5650/4650 MATLAB Project 1 This project is to be treated as a take-home exam, meaning each student is to due his/her own work. The project due date is 4:30 PM Tuesday, October 18, 2011. To work the project you will need access to

More information

Quantification of glottal and voiced speech harmonicsto-noise ratios using cepstral-based estimation

Quantification of glottal and voiced speech harmonicsto-noise ratios using cepstral-based estimation Quantification of glottal and voiced speech harmonicsto-noise ratios using cepstral-based estimation Peter J. Murphy and Olatunji O. Akande, Department of Electronic and Computer Engineering University

More information

INTERNATIONAL JOURNAL OF ELECTRONICS AND COMMUNICATION ENGINEERING & TECHNOLOGY (IJECET)

INTERNATIONAL JOURNAL OF ELECTRONICS AND COMMUNICATION ENGINEERING & TECHNOLOGY (IJECET) INTERNATIONAL JOURNAL OF ELECTRONICS AND COMMUNICATION ENGINEERING & TECHNOLOGY (IJECET) Proceedings of the 2 nd International Conference on Current Trends in Engineering and Management ICCTEM -214 ISSN

More information

ECE503 Homework Assignment Number 8 Solution

ECE503 Homework Assignment Number 8 Solution ECE53 Homework Assignment Number 8 Solution 1. 3 points. Recall that an analog integrator has transfer function H a (s) = 1 s. Use the bilinear transform to find the digital transfer function G(z) from

More information

Airflow visualization in a model of human glottis near the self-oscillating vocal folds model

Airflow visualization in a model of human glottis near the self-oscillating vocal folds model Applied and Computational Mechanics 5 (2011) 21 28 Airflow visualization in a model of human glottis near the self-oscillating vocal folds model J. Horáček a,, V. Uruba a,v.radolf a, J. Veselý a,v.bula

More information

1 Introduction and Overview

1 Introduction and Overview DSP First, 2e Lab S-0: Complex Exponentials Adding Sinusoids Signal Processing First Pre-Lab: Read the Pre-Lab and do all the exercises in the Pre-Lab section prior to attending lab. Verification: The

More information

Lab S-5: DLTI GUI and Nulling Filters. Please read through the information below prior to attending your lab.

Lab S-5: DLTI GUI and Nulling Filters. Please read through the information below prior to attending your lab. DSP First, 2e Signal Processing First Lab S-5: DLTI GUI and Nulling Filters Pre-Lab: Read the Pre-Lab and do all the exercises in the Pre-Lab section prior to attending lab. Verification: The Exercise

More information

X. SPEECH ANALYSIS. Prof. M. Halle G. W. Hughes H. J. Jacobsen A. I. Engel F. Poza A. VOWEL IDENTIFIER

X. SPEECH ANALYSIS. Prof. M. Halle G. W. Hughes H. J. Jacobsen A. I. Engel F. Poza A. VOWEL IDENTIFIER X. SPEECH ANALYSIS Prof. M. Halle G. W. Hughes H. J. Jacobsen A. I. Engel F. Poza A. VOWEL IDENTIFIER Most vowel identifiers constructed in the past were designed on the principle of "pattern matching";

More information

Lab S-3: Beamforming with Phasors. N r k. is the time shift applied to r k

Lab S-3: Beamforming with Phasors. N r k. is the time shift applied to r k DSP First, 2e Signal Processing First Lab S-3: Beamforming with Phasors Pre-Lab: Read the Pre-Lab and do all the exercises in the Pre-Lab section prior to attending lab. Verification: The Exercise section

More information

2.161 Signal Processing: Continuous and Discrete

2.161 Signal Processing: Continuous and Discrete MIT OpenCourseWare http://ocw.mit.edu 2.6 Signal Processing: Continuous and Discrete Fall 28 For information about citing these materials or our Terms of Use, visit: http://ocw.mit.edu/terms. MASSACHUSETTS

More information

Data Analysis in MATLAB Lab 1: The speed limit of the nervous system (comparative conduction velocity)

Data Analysis in MATLAB Lab 1: The speed limit of the nervous system (comparative conduction velocity) Data Analysis in MATLAB Lab 1: The speed limit of the nervous system (comparative conduction velocity) Importing Data into MATLAB Change your Current Folder to the folder where your data is located. Import

More information

EE 225D LECTURE ON SYNTHETIC AUDIO. University of California Berkeley

EE 225D LECTURE ON SYNTHETIC AUDIO. University of California Berkeley University of California Berkeley College of Engineering Department of Electrical Engineering and Computer Sciences Professors : N.Morgan / B.Gold EE225D Synthetic Audio Spring,1999 Lecture 2 N.MORGAN

More information

Lab 9 Fourier Synthesis and Analysis

Lab 9 Fourier Synthesis and Analysis Lab 9 Fourier Synthesis and Analysis In this lab you will use a number of electronic instruments to explore Fourier synthesis and analysis. As you know, any periodic waveform can be represented by a sum

More information

Adaptive Filters Linear Prediction

Adaptive Filters Linear Prediction Adaptive Filters Gerhard Schmidt Christian-Albrechts-Universität zu Kiel Faculty of Engineering Institute of Electrical and Information Engineering Digital Signal Processing and System Theory Slide 1 Contents

More information

Digital Signal Processing PW1 Signals, Correlation functions and Spectra

Digital Signal Processing PW1 Signals, Correlation functions and Spectra Digital Signal Processing PW1 Signals, Correlation functions and Spectra Nathalie Thomas Master SATCOM 018 019 1 Introduction The objectives of this rst practical work are the following ones : 1. to be

More information

PC1141 Physics I. Speed of Sound

PC1141 Physics I. Speed of Sound Name: Date: PC1141 Physics I Speed of Sound 5 Laboratory Worksheet Part A: Resonant Frequencies of A Tube Length of the air tube (L): cm Room temperature (T ): C n Resonant Frequency f (Hz) 1 2 3 4 5 6

More information

UNIVERSITY OF WARWICK

UNIVERSITY OF WARWICK UNIVERSITY OF WARWICK School of Engineering ES905 MSc Signal Processing Module (2010) AM SIGNALS AND FILTERING EXERCISE Deadline: This is NOT for credit. It is best done before the first assignment. You

More information

Problem Set 1 (Solutions are due Mon )

Problem Set 1 (Solutions are due Mon ) ECEN 242 Wireless Electronics for Communication Spring 212 1-23-12 P. Mathys Problem Set 1 (Solutions are due Mon. 1-3-12) 1 Introduction The goals of this problem set are to use Matlab to generate and

More information

CHAPTER 3. ACOUSTIC MEASURES OF GLOTTAL CHARACTERISTICS 39 and from periodic glottal sources (Shadle, 1985; Stevens, 1993). The ratio of the amplitude of the harmonics at 3 khz to the noise amplitude in

More information

A Manual of TransShiftMex

A Manual of TransShiftMex A Manual of TransShiftMex Shanqing Cai Speech Communication Group, Research Laboratory of Electronics, MIT E-mail: cais@mit.edu January 2009 Section 0. Getting started - Running the demos There are two

More information

SIMULATION OF A SERIES RESONANT CIRCUIT ECE562: Power Electronics I COLORADO STATE UNIVERSITY. Modified in Fall 2011

SIMULATION OF A SERIES RESONANT CIRCUIT ECE562: Power Electronics I COLORADO STATE UNIVERSITY. Modified in Fall 2011 SIMULATION OF A SERIES RESONANT CIRCUIT ECE562: Power Electronics I COLORADO STATE UNIVERSITY Modified in Fall 2011 ECE 562 Series Resonant Circuit (NL5 Simulation) Page 1 PURPOSE: The purpose of this

More information

Lab 8. Signal Analysis Using Matlab Simulink

Lab 8. Signal Analysis Using Matlab Simulink E E 2 7 5 Lab June 30, 2006 Lab 8. Signal Analysis Using Matlab Simulink Introduction The Matlab Simulink software allows you to model digital signals, examine power spectra of digital signals, represent

More information

University of Washington Department of Electrical Engineering Computer Speech Processing EE516 Winter 2005

University of Washington Department of Electrical Engineering Computer Speech Processing EE516 Winter 2005 University of Washington Department of Electrical Engineering Computer Speech Processing EE516 Winter 2005 Lecture 5 Slides Jan 26 th, 2005 Outline of Today s Lecture Announcements Filter-bank analysis

More information

Here are some of Matlab s complex number operators: conj Complex conjugate abs Magnitude. Angle (or phase) in radians

Here are some of Matlab s complex number operators: conj Complex conjugate abs Magnitude. Angle (or phase) in radians Lab #2: Complex Exponentials Adding Sinusoids Warm-Up/Pre-Lab (section 2): You may do these warm-up exercises at the start of the lab period, or you may do them in advance before coming to the lab. You

More information

Computational Perception /785

Computational Perception /785 Computational Perception 15-485/785 Assignment 1 Sound Localization due: Thursday, Jan. 31 Introduction This assignment focuses on sound localization. You will develop Matlab programs that synthesize sounds

More information

MITOCW watch?v=n0cviovqkmc

MITOCW watch?v=n0cviovqkmc MITOCW watch?v=n0cviovqkmc The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high quality educational resources for free. To

More information

Solution Set for Mini-Project #2 on Octave Band Filtering for Audio Signals

Solution Set for Mini-Project #2 on Octave Band Filtering for Audio Signals EE 313 Linear Signals & Systems (Fall 2018) Solution Set for Mini-Project #2 on Octave Band Filtering for Audio Signals Mr. Houshang Salimian and Prof. Brian L. Evans 1- Introduction (5 points) A finite

More information

Quarterly Progress and Status Report. Acoustic properties of the Rothenberg mask

Quarterly Progress and Status Report. Acoustic properties of the Rothenberg mask Dept. for Speech, Music and Hearing Quarterly Progress and Status Report Acoustic properties of the Rothenberg mask Hertegård, S. and Gauffin, J. journal: STL-QPSR volume: 33 number: 2-3 year: 1992 pages:

More information

Knowledge Integration Module 2 Fall 2016

Knowledge Integration Module 2 Fall 2016 Knowledge Integration Module 2 Fall 2016 1 Basic Information: The knowledge integration module 2 or KI-2 is a vehicle to help you better grasp the commonality and correlations between concepts covered

More information

George Mason University ECE 201: Introduction to Signal Analysis Spring 2017

George Mason University ECE 201: Introduction to Signal Analysis Spring 2017 Assigned: March 7, 017 Due Date: Week of April 10, 017 George Mason University ECE 01: Introduction to Signal Analysis Spring 017 Laboratory Project #7 Due Date Your lab report must be submitted on blackboard

More information

Homework Assignment 10

Homework Assignment 10 Homework Assignment 10 Question The amplifier below has infinite input resistance, zero output resistance and an openloop gain. If, find the value of the feedback factor as well as so that the closed-loop

More information

Plotting. Aaron S. Donahue. Department of Civil and Environmental Engineering and Earth Sciences University of Notre Dame January 28, 2013 CE20140

Plotting. Aaron S. Donahue. Department of Civil and Environmental Engineering and Earth Sciences University of Notre Dame January 28, 2013 CE20140 Plotting Aaron S. Donahue Department of Civil and Environmental Engineering and Earth Sciences University of Notre Dame January 28, 2013 CE20140 A. S. Donahue (University of Notre Dame) Lecture 4 1 / 15

More information

SMS045 - DSP Systems in Practice. Lab 1 - Filter Design and Evaluation in MATLAB Due date: Thursday Nov 13, 2003

SMS045 - DSP Systems in Practice. Lab 1 - Filter Design and Evaluation in MATLAB Due date: Thursday Nov 13, 2003 SMS045 - DSP Systems in Practice Lab 1 - Filter Design and Evaluation in MATLAB Due date: Thursday Nov 13, 2003 Lab Purpose This lab will introduce MATLAB as a tool for designing and evaluating digital

More information

Speech Signal Analysis

Speech Signal Analysis Speech Signal Analysis Hiroshi Shimodaira and Steve Renals Automatic Speech Recognition ASR Lectures 2&3 14,18 January 216 ASR Lectures 2&3 Speech Signal Analysis 1 Overview Speech Signal Analysis for

More information

HST.582J / 6.555J / J Biomedical Signal and Image Processing Spring 2007

HST.582J / 6.555J / J Biomedical Signal and Image Processing Spring 2007 MIT OpenCourseWare http://ocw.mit.edu HST.582J / 6.555J / 16.456J Biomedical Signal and Image Processing Spring 2007 For information about citing these materials or our Terms of Use, visit: http://ocw.mit.edu/terms.

More information

Perceptive Speech Filters for Speech Signal Noise Reduction

Perceptive Speech Filters for Speech Signal Noise Reduction International Journal of Computer Applications (975 8887) Volume 55 - No. *, October 22 Perceptive Speech Filters for Speech Signal Noise Reduction E.S. Kasthuri and A.P. James School of Computer Science

More information