Frontmatter

If you are publishing this notebook on the web, you can set the parameters below to provide HTML metadata. This is useful for search engines and social media.

using Plots, DSP, FFTW, MAT, Interpolations, Plots.Measures
41.0 s

The objective today is to get you up to speed to be able to handle the new homework assignment that is out.

Note about exercises

You are expected to follow along this notebook and recreate the same plots in MATLAB. Yes the code is presented in the textbook; but let's do it again by hand to understand what is happening.

That this notebook is not in MATLAB langauge shouldn't be a problem since this is an example straight out of the textbook and the code is already there for you.

md"""
The objective today is to get you up to speed to be able to handle the new homework assignment that is out.

## Note about exercises

You are expected to follow along this notebook and recreate the same plots in MATLAB. Yes the code is presented in the textbook; but let's do it again by hand to understand what is happening.

That this notebook is not in MATLAB langauge shouldn't be a problem since this is an example straight out of the textbook and the code is already there for you.
"""
27.0 ms

Example 4.4 in CSSB

This example achieves two objectives:

  • How to deal with unevenly sampled data

  • How to generate the power spectral density

There are two files that we will use:

  • hr_pre.mat: Heart rate observed in the normal state

  • hr_med.mat: Heart rate observed in the meditative state

Look for these files in the Ed resources pane. The problem here is that the data was sampled unevenly. By this we mean that a pair of values were recorded whenever a heart beat was detected: (timestamp, heart_rate).

So we will need to manually convert the data to evenly sampled values.

md"""#### Example 4.4 in CSSB

This example achieves two objectives:

- How to deal with unevenly sampled data
- How to generate the power spectral density

There are two files that we will use:

- `hr_pre.mat`: Heart rate observed in the normal state
- `hr_med.mat`: Heart rate observed in the meditative state

Look for these files in the Ed resources pane. The problem here is that the data was sampled unevenly. By this we mean that a pair of values were recorded whenever a heart beat was detected: `(timestamp, heart_rate)`.

So we will need to manually convert the data to evenly sampled values.
"""
6.1 ms
files
files = [x for x in readdir() if endswith(x, ".mat")]
108 μs

Let us load these files up into a variable ws to simulate the MATLAB workspace

md"""Let us load these files up into a variable `ws` to simulate the MATLAB workspace"""
157 μs
ws
ws = merge(matread.(files)...)
1.4 s

As usual when we start any sort of analysis, the first step is to plot the data and see what it looks like.

md"""As usual when we start any sort of analysis, the first step is to plot the data and see what it looks like."""
143 μs
begin
local p1 = plot(ws["t_pre"], ws["hr_pre"], title="Normal state", label=false)
local p2 = plot(ws["t_med"], ws["hr_med"], title="Meditative state", label=false)
plot(p1, p2, layout=(1, 2), size=(800,400), xlabel="Timestamps", ylabel="Heart rate (BPM)", margins=5mm)
end
1.5 s
MATLAB Code

subplot(1, 2, 1)
plot(t_med, hr_med)
xlabel("Timestamps")
ylabel("Heart rate (BPM)")
title("Meditative state")
subplot(1, 2, 2)
plot(t_pre, hr_pre)
xlabel("Timestamps")
ylabel("Heart rate (BPM)")
title("Normal state")
sgtitle("Raw data plots")

Foldable("MATLAB Code",md"""
```matlab
subplot(1, 2, 1)
plot(t_med, hr_med)
xlabel("Timestamps")
ylabel("Heart rate (BPM)")
title("Meditative state")
subplot(1, 2, 2)
plot(t_pre, hr_pre)
xlabel("Timestamps")
ylabel("Heart rate (BPM)")
title("Normal state")
sgtitle("Raw data plots")
```
""")
128 μs

Let us confirm that these are indeed unevenly sampled. The diff command in MATLAB is used to take the numerical derivative. So if we have an evenly (also called linearly) spaced time vector, then its derivative should be constant (remember derivative of a linear function is a constant). So to check if your time vector is evenly/linearly sampled; it suffice to take the diff of it and plot it.

md""" Let us confirm that these are indeed unevenly sampled. The diff command in MATLAB is used to take the numerical derivative. So if we have an evenly (also called linearly) spaced time vector, then its derivative should be constant (remember derivative of a linear function is a constant). So to check if your time vector is evenly/linearly sampled; it suffice to take the diff of it and plot it. """
369 μs
begin
local p1 = plot(diff(ws["t_pre"], dims=1), title="\nNormal", label=false)
local p2 = plot(diff(ws["t_med"],dims=1), title="\nMeditating", label=false)
plot(p1, p2, layout=(1, 2), plot_title="Difference between timestamps", size=(800, 400), xlabel="Vector index", ylabel="Consecutive differences", margins=5mm)
end
177 ms
MATLAB Code

figure
subplot(1, 2, 2)
plot(diff(t_med))
title("Meditative")

subplot(1, 2, 1)
plot(diff(t_pre))
title("Normal state")
sgtitle("Derivative of time vectors")

Foldable("MATLAB Code",md"""
```matlab
figure
subplot(1, 2, 2)
plot(diff(t_med))
title("Meditative")

subplot(1, 2, 1)
plot(diff(t_pre))
title("Normal state")
sgtitle("Derivative of time vectors")
```
""")
168 μs

To generate a uniformly sampled sequence we will need two things

  • A vector of evenly spaced time samples

  • A method to interpolate the hr_med and hr_pre variables at those chosen time instances.

In MATLAB this is achieved using the interp1 command. Look up MATLAB documentation on how to use it.

md""" To generate a uniformly sampled sequence we will need two things
- A vector of evenly spaced time samples
- A method to interpolate the `hr_med` and `hr_pre` variables at those chosen time instances.

In MATLAB this is achieved using the `interp1` command. Look up MATLAB [documentation](https://www.mathworks.com/help/matlab/ref/interp1.html) on how to use it.
"""
335 μs

Switching to even sampling

md"""#### Switching to even sampling"""
124 μs

Convert MAT to Julia Array

begin
t_pre = vec(ws["t_pre"])
t_med = vec(ws["t_med"])
hr_pre = vec(ws["hr_pre"])
hr_med = vec(ws["hr_med"])
md"""`Convert MAT to Julia Array`"""
end
3.4 ms

To switch to even sampling, we will have to perform interpolation. This is done for us by MATLAB's interp1 command. This command takes as input the current (unevenly sampled) time vector, the values corersponding to this time vector and a new (evenly sampled) time vector for which we want inerpolated values. To create this evenly sampled "query" vector ... first we start by finding the minimum and maximum timestamps.

md"""To switch to even sampling, we will have to perform interpolation. This is done for us by MATLAB's `interp1` command. This command takes as input the current (unevenly sampled) time vector, the values corersponding to this time vector and a *new* (evenly sampled) time vector for which we want inerpolated values. To create this evenly sampled "query" vector ... first we start by finding the minimum and maximum timestamps."""
7.2 ms
pre_ex, med_ex = map(extrema, [t_pre, t_med])
12.0 ms

We want to sample between them at 100 Hz. This notebook by default only shows the very last output of a code block. So what you see below is the evenly sampled time vector for meditative state, nt_med.

md"""We want to sample between them at 100 Hz. This notebook by default only shows the very last output of a code block. So what you see below is the evenly sampled time vector for meditative state, `nt_med`."""
203 μs
2184.227:0.01:2864.227
begin
fs = 100
dt = 1/fs
nt_pre = range(pre_ex..., step=dt) # New time vectors, equivalent to
nt_med = range(med_ex..., step=dt) # min_time:dt:max_time
end
46.7 μs

Next we create the interpolated vectors and mean center them. We mean center them because the definition of the power spectral density as the Fourier transform of the autorcorrelation function already includes mean-centering (recall formula for auto-correlation). But we are going to do the direct computation method (from the signals Fourier transform); therefore we need to do it manually.

md"""Next we create the interpolated vectors and mean center them. We mean center them because the definition of the power spectral density as the Fourier transform of the autorcorrelation function already includes mean-centering (recall formula for auto-correlation). But we are going to do the direct computation method (from the signals Fourier transform); therefore we need to do it manually."""
340 μs
begin
# Use interp1 in MATLAB, syntax here is a bit weird
pre_interp = linear_interpolation(t_pre, hr_pre)(nt_pre)
med_interp = linear_interpolation(t_med, hr_med)(nt_med)

pre_interp .-= mean(pre_interp) # Mean centering
med_interp .-= mean(med_interp) # Mean centering
end;
5.7 ms
MATLAB Code

tpre_min = min(t_pre);
tpre_max = max(t_pre);

tmed_min = min(t_med);
tmed_max = max(t_med);

even_tmed = tmed_min:0.01:tmed_max;
even_tpre = tpre_min:0.01:tpre_max;

nhr_pre = interp1(t_pre, hr_pre, even_tpre);
nhr_med = interp1(t_med, hr_med, even_tmed);

nhr_pre = nhr_pre - mean(nhr_pre);
nhr_med = nhr_med - mean(nhr_med);

Foldable("MATLAB Code", md"""
```matlab
tpre_min = min(t_pre);
tpre_max = max(t_pre);

tmed_min = min(t_med);
tmed_max = max(t_med);

even_tmed = tmed_min:0.01:tmed_max;
even_tpre = tpre_min:0.01:tpre_max;

nhr_pre = interp1(t_pre, hr_pre, even_tpre);
nhr_med = interp1(t_med, hr_med, even_tmed);

nhr_pre = nhr_pre - mean(nhr_pre);
nhr_med = nhr_med - mean(nhr_med);
```
""")
119 μs

Calculating the PSD

Now that we have switched our dataset to be evenly sampeld values (via linear interpolation) let us calculate the Power Spectral Density using the direct method.

First we calculate the FFT and generate the frequency vector. The following MATLAB function is the equivalent of the built in fftfreq function used by this notebook.

md"""#### Calculating the PSD

Now that we have switched our dataset to be evenly sampeld values (via linear interpolation) let us calculate the Power Spectral Density using the direct method.

First we calculate the FFT and generate the frequency vector. The following MATLAB function is the equivalent of the built in `fftfreq` function used by this notebook.
"""
523 μs

fftfreq for MATLAB

function [freqs] = fftfreqs(n, fs)

	if mod(n, 2) == 0
    	freqs = [0:floor(n/2)-1, -floor(n/2):-1]  * fs/n;
	else
    	freqs = [0:floor((n-1)/2), floor(-(n-1)/2):-1]  * fs/n;
	end
end
md"""fftfreq for MATLAB
```matlab
function [freqs] = fftfreqs(n, fs)

if mod(n, 2) == 0
freqs = [0:floor(n/2)-1, -floor(n/2):-1] * fs/n;
else
freqs = [0:floor((n-1)/2), floor(-(n-1)/2):-1] * fs/n;
end
end
```
"""
250 μs

The above function takes as input the length of the DFT to be performed and the frequency at which the signal whose DFT is being taken was sampled.

md"""The above function takes as input the length of the DFT to be performed and the frequency at which the signal whose DFT is being taken was sampled."""
172 μs
begin
fft_med = fftshift(fft(med_interp)) / length(med_interp)
fft_pre = fftshift(fft(pre_interp)) / length(pre_interp)
med_freqs = fftshift(fftfreq(length(med_interp), 100))
pre_freqs = fftshift(fftfreq(length(pre_interp), 100))
end;
8.7 ms

NOTE: The textbook creates the frequency vectors in MATLAB manually. See the example code in the textbook to see how it is done.

md"""**NOTE:** The textbook creates the frequency vectors in MATLAB manually. See the example code in the textbook to see how it is done."""
230 μs
begin
local p1 = plot(pre_freqs, abs.(fft_pre).^2, xlim=(0, 0.15), label=false, title="Normal")
local p2 = plot(med_freqs, abs.(fft_med).^2, xlim=(0, 0.15), label=false, title="Meditative")
plot(p1, p2, layout=(1, 2), size=(800, 350), xlabel="Frequency (Hz)", ylabel="Normalized PSD units", margins=5mm)
end
5.9 ms
MATLAB Code


fft_med = fft(nhr_med)/length(nhr_med); % Take the FFT
fft_pre = fft(nhr_pre)/length(nhr_pre);

% fftfreqs will generate the frequency vector in the usual format. 
% fftshift will put zero frequency dead center 

figure;
subplot(1, 2, 2)
plot(fftshift(fftfreqs(length(fft_med), 100)), fftshift(abs(fft_med).^2))
title("Meditative")
xlim([0, 0.15])				% Adjust limits to show what the book shows
xlabel("Frequency (Hz)")
subplot(1, 2, 1)
plot(fftshift(fftfreqs(length(fft_pre), 100)), fftshift(abs(fft_pre).^2))
title("Normal")
xlim([0, 0.15])
xlabel("Frequency (Hz)")
sgtitle("Power spectral density (proper frequency vector)")

Foldable("MATLAB Code", md"""
```matlab

fft_med = fft(nhr_med)/length(nhr_med); % Take the FFT
fft_pre = fft(nhr_pre)/length(nhr_pre);

% fftfreqs will generate the frequency vector in the usual format.
% fftshift will put zero frequency dead center

figure;
subplot(1, 2, 2)
plot(fftshift(fftfreqs(length(fft_med), 100)), fftshift(abs(fft_med).^2))
title("Meditative")
xlim([0, 0.15]) % Adjust limits to show what the book shows
xlabel("Frequency (Hz)")
subplot(1, 2, 1)
plot(fftshift(fftfreqs(length(fft_pre), 100)), fftshift(abs(fft_pre).^2))
title("Normal")
xlim([0, 0.15])
xlabel("Frequency (Hz)")
sgtitle("Power spectral density (proper frequency vector)")
```
""")
119 μs

Averaging

Recall averaging reduces noise. The same is true even when constructing periodograms or spectrograms.

Read Lecture 09 if you haven't already as well as Example 4.5 in CSSB.

md""" ### Averaging

Recall averaging reduces noise. The same is true even when constructing periodograms or spectrograms.

**Read [Lecture 09](https://courses.grainger.illinois.edu/bioe205/sp2023/lectures/lec09/#spectrograms_windowing) if you haven't already as well as Example 4.5 in CSSB.**
"""
2.5 ms

Example 4.6

md"""### Example 4.6"""
124 μs

In this example we are going to smoothen the above images by the use of averaging. Specifcally we use the welch method for averaging. MATLAB provides an implementation with its DSP or Signal Processing Toolbox and so is behind a paywall. Instead we can use the following replacement routine from the course website.

md""" In this example we are going to smoothen the above images by the use of averaging. Specifcally we use the `welch` method for averaging. MATLAB provides an implementation with its DSP or Signal Processing Toolbox and so is behind a paywall. Instead we can use the following replacement routine from the [course website](https://courses.grainger.illinois.edu/bioe205/sp2023/lectures/lec09/#power_spectral_density).

"""
381 μs

welch routine from book/notes

function [PS,f] = welch(x,nfft,noverlap,fs)
	%Function to calculate averaged spectrum
	%[ps,f] = welch(x,nfft,noverlap,fs);
	%  Output arguments
	%		sp	spectrogram
	%		f	frequency vector for plotting
	%  Input arguments
	%		x data
	%		nfft window size
	%      	noverlap number of overlaping points in adjacent segements
	%	    fs sample frequency
	%	Uses Hanning window
	%
	N = length(x);                     % Get data length
	half_segment = round(nfft/2);      % Half segment length
	if nargin < 4                      % Test inputs
		fs = 2*pi;                     % Default fs
	end
	if nargin < 3 || isempty(noverlap) == 1
		noverlap = half_segment;       % Set default overlap at 50%
	end
	nfft = round(nfft);                % Make sure nfft is an interger
	noverlap = round(noverlap);        % Make sure noverlap is an interger
	%
	f = (1:half_segment)* fs/(nfft);   % Calculate frequency vector
	increment = nfft - noverlap;       % Caluclate window shift
	nu_avgs =  round(N/increment);     % Determine the number of segments
	%
	for k = 1:nu_avgs 			       % Calculate spectra for each data point
	   first_point = 1 + (k - 1) * increment;
	   if (first_point + nfft -1) > N
		   first_point = N - nfft + 1;          % Prevent overflow
	   end
		data = x(first_point:first_point+nfft-1); % Get data segment
		if k == 1
		   PS = abs((fft(data)).^2);            % Calculate Power spectrum Eq. 4.16
	   else
		   PS = PS + abs((fft(data)).^2);       % Calculate Power spectrum
	   end
	end
	PS = PS(2:half_segment+1)/(nu_avgs*nfft/2);  % Remove redundant points, no avg
end
md""" `welch` routine from book/notes
```matlab
function [PS,f] = welch(x,nfft,noverlap,fs)
%Function to calculate averaged spectrum
%[ps,f] = welch(x,nfft,noverlap,fs);
% Output arguments
% sp spectrogram
% f frequency vector for plotting
% Input arguments
% x data
% nfft window size
% noverlap number of overlaping points in adjacent segements
% fs sample frequency
% Uses Hanning window
%
N = length(x); % Get data length
half_segment = round(nfft/2); % Half segment length
if nargin < 4 % Test inputs
fs = 2*pi; % Default fs
end
if nargin < 3 || isempty(noverlap) == 1
noverlap = half_segment; % Set default overlap at 50%
172 μs
begin
med_pgram = welch_pgram(med_interp, fs=100)
pre_pgram = welch_pgram(pre_interp, fs=100)
local p1 = plot(pre_pgram.freq, pre_pgram.power, xlim=(0, 0.2), label=false, title="Normal")
local p2 = plot(med_pgram.freq, med_pgram.power, xlim=(0, 0.2), label=false,
title="Meditative")
plot(p1, p2, layout=(1,2), size=(800, 400), xlabel="Frequency (Hz)", yaxis="Averaged PSD", margins=5mm)
end
2.4 ms

Check list I

Make sure your submission has all the above pairs of plots for full credit

md""" #### Check list I
Make sure your submission has all the above pairs of plots for full credit
"""
139 μs
mean (generic function with 1 method)
mean(x) = sum(+, x)/length(x) # Ignore this, MATLAB has `mean`, here we don't.
245 μs

Folding code

begin
struct Foldable{C}
title::String
content::C
end

function Base.show(io, mime::MIME"text/html", fld::Foldable)
write(io,"<details><summary>$(fld.title)</summary><p>")
show(io, mime, fld.content)
write(io,"</p></details>")
end
md"""`Folding code`"""
end
8.0 ms