MATLAB Graphs & Matrix Lab Guide
MATLAB Graphs & Matrix Lab Guide
EEL-325
                 Lab Journal
   Name:
Enrollment Number: __
Section:
                                       1
Experiment                                          Marks
           Experiment Name                   Date            Signature
Number                                              Obtained
Objectives:
To study basic plotting functions and to familiarize student with matrices, arrays their operation
loops and function file
Equipment / Tool:
   Matlab
Background:
Plotting Elementary Functions:
Suppose we wish to plot a graph of y = sin3πx for 0 ≤ x ≤ 1. We do this by sampling the function
at a sufficiently large number of points and then joining up the points (x, y) by straight lines.
Suppose we take N+1 points equally spaced a distance h apart:
>> y =sin(3*pi*t);
and finally, we can plot the points with
0.8
0.6
0.4
0.2
-0.2
-0.4
-0.6
-0.8
                    -1
                          0   0.1   0.2      0.3   0.4   0.5   0.6   0.7   0.8   0.9   1
0.8
0.6
0.4
0.2
-0.2
-0.4
-0.6
-0.8
                     -1
                           0   0.1   0.2   0.3   0.4   0.5   0.6    0.7   0.8      0.9   1
Grids:
 A dotted grid may be added by
>> grid
 This can be removed using either grid again, or grid off.
                                                                                               4
                                          Colors         Line Style
b blue . point
g green o circle
r red x x-mark
c cyan + plus
m magenta * star
y yellow s square
k black -. dashdot
Multi–plots
Several graphs can be drawn on the same figure as:
>> grid
                                                                                                   5
                                                                 Multi-plot
                                1
0.8
0.6
0.4
                              0.2
                     y axis
                                0
-0.2
-0.4
-0.6
-0.8
                               -1
                                     0   0.1   0.2   0.3   0.4      0.5       0.6   0.7   0.8   0.9   1
                                                                  x axis
Hold
A call to plot clears the graphics window before plotting the current graph. This is not
convenient if we wish to add further graphics to the figure at some later stage. To stop the
window being cleared:
Subplot
       The graphics window may be split into an m × n array of smaller windows into which we
 may plot one or more graphs. The windows are counted 1 to mn row–wise, starting from the
 top left. Both hold and grid work on the current subplot.
                                                                                                          6
                              1                                            1
0.5 0.5
                                                            cos 3 pi x
               sin 3 pi x
                              0                                            0
-0.5 -0.5
                             -1                                           -1
                                   0   0.5              1                       0   0.5   1
                                        x                                            x
1 1
0.5 0.5
                                                            cos 6 pi x
               sin 6 pi x
0 0
-0.5 -0.5
                             -1                                           -1
                                   0   0.5              1                       0   0.5   1
                                        x                                            x
Zooming
We often need to “zoom in” on some portion of a plot in order to see more detail. This is easily
achieved using the command
>> zoom
Left-Click on plot = Zoom in
Selecting a specific portion of the plot using the mouse will zoom in to the selected portion of the
plot
Controlling Axes
Once a plot has been created in the graphics window you may wish to change the range of x and
y values shown on the picture.
                                                                                                   7
                       1
0.8
0.6
0.4
0.2
-0.2
-0.4
-0.6
-0.8
-1
Examples in Plotting
 Example: Draw graphs of the functions
i. y = sin(x)/x
ii. u= (1/(x-1)2)+x
iii. v= (x2+1)/(x2-4)
Solution:
>> x = 0:0.1:10;
>> y = sin(x)./x;
>> subplot (221), plot (x, y), title (’(i)’)
>> u = 1./(x-1).^2 + x;
>> subplot (222), plot (x, u), title(’(ii)’)
>> v = (x.^2+1)./(x.^2 -4);
>> subplot(223), plot(x, v), title(’(iii)’)
>> w = ((10-x).^(1/3)- 1)./sqrt(4-x.^2);
>> subplot (224), plot (x, w), title(’(iv)’)
                                                                                  8
                                   Figure1.6 Plotting of different function
  Note the repeated use of the “dot” operators. Experiment with changing the axes, grids and
  hold.
  We could do this by giving 8 separate plot commands but it is much easier to use a loop. The
  simplest form would be
>> x =-1:0.05:1;
>> for n =1:8
subplot (4,2,n), plot (x, sin (n*pi*x))
end
  For loop
  All the commands between the lines starting “for” and “end” are repeated with n being given
  the value 1 the first time through, 2 the second time, and so forth, until n = 8. The subplot
  constructs a 4 × 2 array of sub-windows and, on the nth time through the loop, a picture is
  drawn in the nth sub-window. The commands
                                                                                                  9
>> x =-1:.05:1;
>> for n =1:2:8
subplot (4,2,n), plot (x, sin (n*pi*x))
subplot (4,2,n+1), plot (x, cos(n*pi*x))
end
  Draw sin nπx and cos nπx for n = 1, 3, 5, 7 alongside each other. We may use any legal
  variable name as the “loop counter” (n in the above examples) and it can be made to run
  through all of the values in a given vector (1:8 and 1:2:8 in the examples). We may also use for
  loops of the type
Entering a Matrix:
You only must follow a few basic conventions:
Transpose
MATLAB has two transpose operators. The apostrophe operator (e.g., A') performs a complex
conjugate transposition. It flips a matrix about its main diagonal, and also changes the sign of the
imaginary component of any complex elements of the matrix. The dot-apostrophe operator (e.g.,
A.'), transposes without affecting the sign of complex elements. For matrices containing all real
elements, the two operators return the same result.
So
         A'
produces
         ans =
                16 5 9 4
                3 10 6 15
                2 11 7 14
                13 8 12 1
and
         sum(A')'
produces a column vector containing the row sums
         ans =
                34
                34
                34
                34
The sum of the elements on the main diagonal is obtained with the sum and the diag functions:
         diag(A)
produces
         ans =
                16
                10
                7
                1
and
                                                                                                  11
sum(diag(A))
produces
       ans =
                 34
The other diagonal, the so-called antidiagonal, is not so important mathematically, so MATLAB
does not have a ready-made function for it. But a function originally intended for use in graphics,
fliplr, flips a matrix from left to right:
          sum(diag(fliplr(A)))
          ans =
                 34
Subscripts
The element in row i and column j of A is denoted by A(i,j). For example, A(4,2) is the number
in the fourth row and second column. For the magic square, A(4,2) is 15. So to compute the sum
of the elements in the fourth column of A, type
          A(1,4) + A(2,4) + A(3,4) + A(4,4)
This subscript produces
          ans =
                 34
but is not the most elegant way of summing a single column.
It is also possible to refer to the elements of a matrix with a single subscript, A(k). A single
subscript is the usual way of referencing row and column vectors. However, it can also apply to a
fully two-dimensional matrix, in which case the array is regarded as one long column vector
formed from the columns of the original matrix. So, A(8) is another way of referring to the value
15 stored in A(4,2).
If you try to use the value of an element outside of the matrix, it is an error:
        t = A(4,5)
        Index exceeds matrix dimensions.
Conversely, if you store a value in an element outside of the matrix, the size increases to
accommodate the newcomer:
                X = A;
                X(4,5) = 17
       X=
               16 3 2 13 0
                5 10 11 8 0
                9 6 7 12 0
                4 15 14 1 17
       100:-7:50
is
       100 93 86 79 72 65 58 51
and
       0: pi/4:pi
is
A(1:k,j)
Computes the sum of the fourth column. However, there is a better way to perform this
computation. The colon by itself refers to all the elements in a row or column of a matrix and the
keyword end refers to the last row or column. Thus:
sum(A(:,end))
       ans =
               34
Swap column
      A = B( :, [1 3 2 4] )
This subscript indicates that—for each of the rows of matrix B—reorder the elements in the
order 1, 3, 2, 4. It produces:
        A=
                 16       3    2     13
                 5       10    11    8
                 9        6    7     12
                 4       15     14   1
Concatenation
Concatenation is the process of joining small matrices to make bigger ones. In fact, you made
your first matrix by concatenating its individual elements. The pair of square brackets, [], is the
concatenation operator. For an example, start with the 4-by-4 A Matrix, and form
                                                                                                  13
B = [A A+32; A+48 A+16]
The result is an 8-by-8 matrix, obtained by joining the four submatrices:
       B=
                16      3     2       13      48      35      34     45
                5       10     11      8      37       42     43    40
                9      6      7       12      41      38      39    44
                4      15     14      1       36      47      46    33
                64     51     50      61      32      19      18    29
                53     58     59      56      21      26      27    24
                57     54     55      60      25      22      23    28
                52     63     62      49      20      31      30    17
Arrays
When they are taken away from the world of linear algebra, matrices become two-dimensional
numeric arrays. Arithmetic operations on arrays are done element by element. This means that
addition and subtraction are the same for arrays and matrices, but that multiplicative operations
are different. MATLAB uses a dot, or decimal point, as part of the notation for multiplicative
array operations.
The list of operators includes
       + Addition
       - Subtraction
       .* Element-by-element multiplication
       ./ Element-by-element division
       .\ Element-by-element left division
       .^ Element-by-element power
       .' Unconjugated array transpose
       Example
A= [2 4 5 6 3 2 1];
B= [5 6 10 12 1 5 11];
>> A+B
ans =
7 10 15 18 4 7 12
>> A-B
ans =
-3 -2 -5 -6 2 -3 -10
                                                                                                14
       >> A.*B
ans =
                        10     24     50   72   3   10   11
       >> A./B
ans =
>> A.\B
ans =
for
The for loop repeats a group of statements a fixed, predetermined number of times. A matching
end delineates the statements:
                                                                                              15
A= [2 4 5 6 3 2 1];
r(1)=A(1);
for n = 2:7
       r(n) = r(n-1)+ A(n);
end
r
It is a good idea to indent the loops for readability, especially when they are nested:
for i = 1:4
        for j = 1:4
                       H(i,j) = 1/(i+j);
        end
end
While
The while loop repeats a group of statements an indefinite number of times under control of a
logical condition.
a=1;
b=1;
count=0
while a+b < 15
a=a+1;
b=b+1;
count=count+1;
end
count
Functions
A function is a group of statements that together perform a task. In MAT LAB, functions are
defined in separate files. The name of the file and of the function should be the same.
Functions can accept more than one input arguments and may return more than one output
arguments
Syntax of a function statement is:
       function [out1,out2, ..., outN] = myfun(in1,in2,in3, ..., inN)
Example
The following function named mysum should be written in a file named mysum.m. It takes five
numbers as argument and returns the sum of the numbers.
Create a function file, named mysum.m and type the following code in it:
Sumval=n1+n2+n3+n4+n5;
                                                                                                16
end
The first line of a function starts with the keyword function. It gives the name of the function
and order of arguments. In our example, the mysum function has five input arguments and one
output argument.
The comment lines that come right after the function statement provide the help text. These lines
are printed when you type:
        help mysum
MATLAB will execute the above statement and return the following result:
This function calculates the sum of the five numbers given as input
You can call the function in main file as:
mysum(34, 78, 89, 23, 11)
MATLAB will execute the above statement and return the following result:
        ans =
               235
Anonymous Functions
An anonymous function is like an inline function in traditional programming languages, defined
within a single MATLAB statement. It consists of a single MATLAB expression and any
number of input and output arguments.
You can define an anonymous function right at the MATLAB command line or within a function
or script.
This way you can create simple functions without having to create a file for them.
The syntax for creating an anonymous function from an expression is
f = @(arglist)expression
Example
In this example, we will write an anonymous function named power, which will take two
numbers as input and return first number raised to the power of the second number.
Create a script file and type the following code in it:
power = @(x, n) x.^n;
result1 = power(7, 3)
result2 = power(49, 0.5)
result3 = power(10, -10)
result4 = power (4.5, 1.5)
When you run the file, it displays:
                result1 =
                        343
                result2 =
                        7
                result3 =
                        1.0000e-10
                result4 =
                                                                                               17
                      9.5459
Command summary
    A = [16 3 2 13; 5 10 11 8; 9 6 7 12; 4 15 14 1]          // matrix entry
    sum(A)                                              sum of all column
    A'                                                  transpose
    sum(A')'                                            sum transpose
    diag(A)                                             Diagonal
    sum(diag(fliplr(A)))                                Flip left to right
    A(1,4)                                              Select element 1 row 4 column
                                                                                         18
POST Lab 01
   •      Question#1:      Draw following signal in Matlab in one figure and also give legend to
          them for differentiated.
   i)        Sin(2πt)
   ii)       Cos( πt)
   iii)      Sin(2πt)+ Cos( πt)
Where 0≤ t ≤ 5
Question#2: Make a function m that can add two numbers (A and B). Write a program which
get input form user and by using function (addfunction which you create) add these two number.
Question#3: write a function whose input is 8x8 matrix. Output of this function is highest
value of element in matrix and position (Row and column no) of that element.
Example
              A= 5 8         9     20
                 6 2         7     2
                 1 2         8     9
                 2 7         11    19
Output should be highest element=20, row=1, column=4
                                                                                                   19
Lab Task 01:
y = cos(x)
z=x
for 0 ≤ x ≤ 2 in the same window. Use the zoom facility to determine the point of intersection of
the two curves (and, hence, the root of x = cos(x)) to two significant figures.
y = t sin (3t)
                                                                                                  20
Lab Tasks:
             21
22
23
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objectives:
  MATLAB
Background:
Speech processing is the study of speech signals and the processing methods of these signals.
The signals are usually processed in a digital representation, so speech processing can be
regarded as a special case of digital signal processing, applied to speech signal. Aspects of
speech processing include the acquisition, manipulation, storage, transfer and output of speech
signals.
r = audiorecorder(fs,bits,channel);
                                                                                            25
>> record(r)
>> pause(r)
>> resume(r)
>> stop(r)
>> play(r)
audiowrite(filename,y,fs) writes a matrix of audio data, voice, with sample rate Fs to a file
called filename.
>> p = audioplayer(voice,fs);
>> play(p);
>>recObj = audiorecorder;
                                                                                                26
>>disp('Start speaking.')
>>recordblocking(recObj, 10);
>>disp('End of Recording.');
>>play(recObj);
>>myRecording = getaudiodata(recObj);
>>plot(myRecording);
>>play(p)
>>p = audioplayer(voice,fs*2);
>>play(p)
   Time Delay:
      >>voice = [zeros(3*fs,1); voice];
   Time Reversal:
      >>voice = flipud(voice);
Example 1
h = [zeros(5*fs,1); 10];
y = conv(h, voice);
p = audioplayer(y, fs);
play(p)
                                                      27
Example 2
H = ones(length(voice),1);
H(floor(length(voice)/3):floor(length(voice)/2)) = 0;
voice2 = voice.*H;
p = audioplayer(voice2,fs);
play(p)
Lab Task:
   1. Generate two voice signals with duration of your choice
   2. Add both signals together, what did you get?
   3. Subtract both signals together, what did you get now?
Post Lab:
                                                                              28
Lab Tasks:
             29
30
31
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
TMS 320C6713 DSK and Graph plotting in Code Composer Studio V6.0
Objectives:
Purpose of this lab is to familiarize students with input and output ports of DSP kit and to
explore the CCS V6.0 properties.
Equipment/Tool:
The hardware experiments in the DSP lab are carried out on the Texas Instruments
TMS320C6713 DSP Starter Kit (DSK), based on the TMS320C6713 floating point DSP running
at 225 MHz. The basic clock cycle instruction time is 1/(225 MHz)= 4.44 nanoseconds. During
each clock cycle, up to eight instructions can be carried out in parallel, achieving up to 8×225 =
1800 million instructions per second (MIPS). The C6713 processor has 256KB of internal
memory, and can potentially address 4GB of external memory.
                                                                                               33
The DSK board includes a 16MB SDRAM memory and a 512KB Flash ROM. It has an on-
board 16-bit audio stereo codec (the Texas Instruments AIC23B) that serves both as an A/D and
a D/A converter. There are four 3.5 mm audio jacks for microphone and stereo line input,
speaker and head-phone outputs. The AIC23 codec can be programmed to sample audio inputs at
the following sampling rates:
                               fs = 8, 16, 24, 32, 44.1, 48, 96 kHz
The DSK also has four user-programmable DIP switches and four LEDs that can be used to
control and monitor programs running on the DSP.
You should press "File", "New", and "CCS Project" to create a new project under CCS V6.0 as
shown in Figure 3.3.
Click "finish", on right side project explorer will show your newly created project as shown
Figure 3.5.
                                                                                               36
                                 Figure 3.5: selecting the project type.
To create a target configuration file for the project, right click on the name of your project on the
project tree. Select "New→Target Configuration File" as in Figure 3.6.
                                                                                                   37
On the configuration window, enter the name of your configuration file with an extension
“xxx.ccxml” as in Figure 3.7. Click on the "Finish" button.
                                                                                           38
                               Figure 3.8: C6713 Target Configurations.
To create the source file, right click on the name of your project on the project tree. Select "New-
>Source File" as in Figure 3.9.
                                                                                                 39
On the opening configuration window, enter a name to your source file with an extension “.c” as
in Figure 3.10. Click on "Finish".
To test these steps, you can start writing the source code given in Figure 3.9. To run this code,
select "Project→Build Project" as in Figure 3.12.
                                                                                                    40
                              Figure 3.12: Building the Active Project.
If there are no errors in your code, you should see "Build complete sign" in the "Console"
window as in Figure 3.13. Any errors or warnings will be listed in the companion "Problems"
window.
After building the project, select "Run→Debug " or press F11 as in Figure 3.14
                                                                                        41
Now, you should see the "Debug" window in the CCS V6.0 workspace as in Figure 3.15.
Press the green play button on the "Debug" window and select "Run" to start running your
project as in Figure 3.16.
                                                                                           42
                                  Figure 3.16 Running the Project.
Right click on the row that you want to place a break point. Select "Toggle Breakpoint" as in
Figure 3.17.
                                                                                                43
   3.6 Adding a Watch Window
Select the variable you want to observe. Right click on it. Select "Add Watch Expression" as in
Figure 3.18. You can observe the variable in the watch window as shown in Figure 3.19.
                                                                                                  44
        3.7 Plots
For example, to observe the array 'c' in the above demo code, adjust the parameters as in Figure
3.21. The resulting graph will be as in Figure 3.22.
                                                                                               45
Figure 3.21: Setting Graph Properties.
                                         46
Lab Task:
      b. Create a new C source code file. Your code should calculate and save the first 10
elements of the Fibonacci series in an array.
       c. Build and Run your project. Observe the graph of the Fibonacci array by using the
graph property of CCS V6.0.
                                                                                              47
Lab Tasks:
             48
_
    49
50
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objectives:
To verify linear and circular convolution operations using DSP kit C6713.
Equipment:
In this equation, x(k), h(n-k) and y(n) represent the input to and output from the system at time n.
Here we could see that one of the inputs is shifted in time by a value every time it is multiplied
with the other input signal. Linear Convolution is quite often used as a method of implementing
filters of various types.
#include<stdio.h>
int x[15],h[15],y[15];
main()
int i,j,m,n;
                                                                                                 52
printf("\n enter first sequence length m:");
scanf("%d",&m);
scanf("%d",&n);
for(i=0;i<m;i++)
scanf("%d",&x[i]);
for(i=0;i<n; i++)
scanf("%d",&h[i]);
// padding of zeors
for(i=m;i<=m+n-1;i++)
x[i]=0;
for(i=n;i<=m+n-1;i++)
h[i]=0;
/* convolution operation */
for(i=0;i<m+n-1;i++)
y[i]=0;
for(j=0;j<=i;j++)
y[i]=y[i]+(x[j]*h[i-j]);
}
                                                53
//displaying the o/p
for(i=0;i<m+n-1;i++)
printf("y[%d]=%d\t",i,y[i]);
Procedure:
 Open Code Composer Studio, make sure the DSP kit is turned on.
       Compile the program using the ‘Project-compile’ pull down menu or by clicking the
        shortcut icon on the left side of program window.
       Build the program using the ‘Project-Build’ pull down menu or by clicking the shortcut
        icon on the left side of program window.
                                                                                                     54
Output for Linear Convolution:
1234
Enter i/p sequence for h(n):
231
                                                                                     55
Circular convolution is another way of finding the convolution sum of two input signals. It
resembles the linear convolution, except that the sample values of one of the input signals is
folded and right shifted before the convolution sum is found. Also note that circular convolution
could also be found by taking the DFT of the two input signals and finding the product of the
two frequency domain signals. The Inverse DFT of the product would give the output of the
signal in the time domain which is the circular convolution output. The two input signals could
have been of varying sample lengths. But we take the DFT of higher point, which ever signals
levels to.. This process is called circular convolution.
void main()
                                                                                              56
{
scanf("%d",&m);
scanf("%d",&n);
for(i=0;i<m;i++)
scanf("%d",&x[i]);
for(j=0;j<n;j++)
scanf("%d",&h[j]);
for(i=n;i<m;i++)
h[i]=0;
n=m;
for(i=m;i<n;i++)
x[i]=0;
m=n;
y[0]=0;
        a[0]=h[0];
                                                                                               57
        for(j=1;j<n;j++)                            /*folding h(n) to h(-n)*/
a[j]=h[n-j]
/*Circular convolution*/
    for(i=0;i<n;i++)
y[0]+=x[i]*a[i];
for(k=1;k<n;k++)
y[k]=0;
/*circular shift*/
for(j=1;j<n;j++)
x2[j]=a[j-1];
x2[0]=a[n-1];
for(i=0;i<n;i++)
a[i]=x2[i];
y[k]+=x[i]*x2[i];
for(i=0;i<n;i++)
printf("%d \t",y[i]);
                                                                                58
Procedure:
 Open Code Composer Studio; make sure the DSP kit is turned on.
      Compile the program using the ‘Project-compile’ pull down menu or by clicking the
       shortcut icon on the left side of program window.
      Build the program using the ‘Project-Build’ pull down menu or by clicking the shortcut
       icon on the left side of program window.
                                                                                                59
123
the circular convolution is
18             16      10     16
                                                                          60
Lab Tasks:
             61
62
63
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objectives:
The purpose of this lab is to introduce the development tool Code Composer Studio (CCS) that is
used for programming of the DSP Starter Kit 6713 (DSK6713).
Background:
The program initializes board switches and leds shows you the working of switches and led on
board. To complete this tutorial you will need following files: led.c, dsk6713.cmd and some
libraries files, after obtaining them from our class web page, copy them into a directory called
c:\xxxxx.
Procedure:
   1. This tutorial assumes that you already have Code Composer Studio installed and have set
      your workspace directory location on your hard disk.
   2. Please follow 1st tutorial for write a code in CCS, Once you have a written a code these
      are settings that you have to done in-order to compile a Program.
Go to Project Option: properties ----> C/C++ Build ---> C600 Compiler ----> Predefined
Symbols now here you have to add CHIP_6713
                                                                                                   65
                                 Figure 5.1: C600 Compiler Window
   3. Go to Project Option: properties ----> C/C++ Build ---> C600 Compiler ---->
      Include Option.
4. Go to Project Option: properties ----> C/C++ Build ---> C6000 Linker ---->
                                                                                    66
b. "C:\c6000\dsk6713bsl\Debug\dsk6713bsl.lib\"
                                                                                         67
   6. Once you select Finish window a new window will appear. Here you have to set
Connection: Spectrum Digital DSK-EVM-eZdsp onboard USB Emulator. Device: DSK6713
And then save the configuration
                                                                                     68
   7. Code for this tutorial
#include <dsk6713.h>
#include <dsk6713_dip.h> /* Functions for DIP */
#include <dsk6713_led.h> /* Functions for LED */
void main()
{
DSK6713_init(); /*Initialize Board */
DSK6713_DIP_init(); /*Initialize DIP switches */
DSK6713_LED_init(); /*Initialize LEDs*/
DSK6713_LED_on(0); /*Turn on LED */
DSK6713_LED_off(0); /*Turn off LED
while(1)
      {
      /*DSK6713_DIP_get(‘switch number’); Retrieve the DIP switch value */
      if(DSK6713_DIP_get(2)==1){
             /* DSK6713_LED_on(‘LED number’); Set the LED */
             DSK6713_LED_on(2);
             }
       else{
             /* DSK6713_LED_off(‘LED number’); Clear the LED */
             DSK6713_LED_off(2);
             }
      }
}
Post Lab:
   1. Edit the above code for which when Switch 3 is off then LED-1 will be on otherwise
       LED-1 will off.
                                                                                           69
Lab Tasks:
                 70
71
72
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Z-Transform
Objectives:
Objective of this lab is to introduce student with pole and zeros and how to draw pole and zero
graph in MATLAB.
Equipment:
MATLAB
Background:
Just as the Fourier transform forms the basis of signal analysis, the z-transform forms the basis of
system analysis. If x[n] is a discrete signal, its z-transform X(z) is given by:
The z-transform maps a signal in the time domain to a power series in the complex (frequency)
domain: x[n] → X(z).
• x[n − k] → z-kX(z)
• x[−n] → X(1/z)
• ax[n] → X(z/a)
The overall result is that the algebra of system analysis becomes greatly simplified in the z
domain. The only tradeoff is the necessity of taking an inverse transform to obtain time domain
responses.
Since the response y[n] of an LTI system to input x[n] is given by the convolution x[n] *h[n],
where h[n] is the impulse response, we have
                                                                                                  74
The ratio H(z) = Y (z)/X(z) defines the impulse response (and so the system response), and is
called the transfer function of the system.
x1 = [2,3,4]; x2 = [3 4 5 6];
x3 = conv(x1,x2)
x3 =
6 17 34 43 38 24
Hence,
    b.   If we are given X3(z) and want to compute X2(z) then we need to divide X3(z) by
         X1(Z).
x3 = [ 6 17 34 43 38 24];
x1 = [2,3,4];
x2 = deconv(x3,x1)
x2 =
3456
Hence,
Exercise 1: If X1(z) = 2 + 3Z-1 + Z-2 and X2(z) = 3 + 5Z-1 + 4Z-2 + 2Z-3. Determine X3(z) =
X1(z)X2(z).
The location of the zeros and poles of the transfer function determines the response of an LTI
system.
Zeros : Z=0, -2
Poles: z=±√0.2 j
Gain: k =1
b = [1 2];
a = [1 0 0.2];
[z,p,k] = tf2zpk(b,a)
zplane(z,p)
Exercise 2: Determine Pole and zeroes for the following X(z) and plot that pole zero.
i. Conjugate symmetry
All poles and zeros must be paired with their complex conjugates
                                                                                                 76
ii. Causality
To ensure that the system does not depend on future values, the number of zeros must be less
than or equal to the number of poles
iii. Origin
Poles and zeros at the origin do not affect the magnitude response
iv. Stability
For a stable system, poles must be inside the unit circle. Pole radius is proportional to the gain
and inversely proportional to the bandwidth.
Pass bands should contain poles near the unit circle for larger gain.
v. Transition band
A steep transition from passband to stopband can be achieved when stopband zeros are paired
with poles along (or near) the same radial line and close to the unit circle.
Zeros and poles interact to produce a composite response that might not match design goals.
Poles closer to the unit circle or farther from one another produce smaller interactions. Zeros and
poles might have to be repositioned or added, leading to a higher filter order.
Run:
Sptool
Zero/poles as outlined.
                                                                                                     77
When taking inverse z-transform it is most convenient that the transfer function be in partial
fraction form. To convert from rational z-transform to partial fraction form MATLAB residuez
function can be used.
Example:
b = [ 0 1 0];
a = [3 -4 1];
[z,p,c] = residuez(b,a)
z=
0.5000
-0.5000
p=
1.0000
0.3333
c=
Z Zeros
P Poles
c Gain
Hence,
                                                                                                 78
5.5 Partial fraction form to rational z-transform
MATLAB residuez function can also be used to convert from partial fraction expression into
rational z-transform.
Example
z = [ .5 -.5];
p = [1 0.3333];
c = [];
[b,a] = residuez(z,p,c)
b=
0 0.3334
a=
1.
2.
3.
4.
                                                                                             79
Post Lab
Question 1:
1. If X1(z) = 1 + 4Z-3 + 4Z-4 and X2(z) = 5 + Z-2 + 3Z-3 + 4Z-5. Determine X3(z) =
X1(z)X2(z).
Question 2: Determine Pole and zeroes for the following X(z) and plot that pole zero.
1.
2.
3.
                                                                                         80
Lab Tasks:
             81
82
83
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objective:
Pole and zero plot in Z-Domain
Equipment:
MATLAB
Background:
A MATLAB function residuez is available to compute the residue part and the direct (or
polynomial) terms of a rational function in z‟. Let
be a rational function in which the numerator and the denominator polynomials are in ascending
powers of      ..Then [R,p,C] =residuez (b , a) finds the residues, poles, and direct terms of X (z)
in which two polynomials B (z) and A (z) are given in two vectors b and a, respectively. The
returned column vector R contains the residues, column vector p contains the pole locations, and
row vector C contains the direct terms.
Similarly, [b , a] =residuez (R, p , C), with three input arguments and two output arguments,
converts the partial fraction expansion back to polynomials with coefficients in row vectors b
and a.
Example 1
                                                                                                  85
Now using MATLAB,
>> b= [0,1,0]; a= [3,-4,1];
>>[R,p,C] = residuez(b,a)
R=
  0.5000
 -0.5000
p=
  1.0000
  0.3333
C=
 []
we obtain
Example 2
We can evaluate the denominator polynomial as well as the residues using MATLAB.
>> b=[1 0 0 0]; a= poly([0.9,0.9,-0.9])
>> [R,p,C] = residuez(b,a)
a=
  1.0000 -0.9000 -0.8100 0.7290
R=
                                                                                   86
 0.2500 + 0.0000i
 0.5000 - 0.0000i
 0.2500 + 0.0000i
p=
  0.9000 + 0.0000i
  0.9000 - 0.0000i
 -0.9000 + 0.0000i
C=
   0
Note that the denominator polynomial is computed using MATLAB‟s polynomial function poly,
which computes the polynomial coefficients, given its roots. We could have used the conv
function, but the use of the poly function is more convenient for this purpose. From the residue
calculations and using the order of residues
We have
Hence
Example 3
                                                                                               87
We will have to find the poles of X (z) in the polar form to determine the ROC of the causal
sequence.
>> b=[1,0.4*sqrt(2),0]; a=[1,-0.8*sqrt(2),0.64];
>> [R,p,C]= residuez(b,a)
R=
  0.5000 - 1.0000i
  0.5000 + 1.0000i
p=
  0.5657 + 0.5657i
  0.5657 - 0.5657i
C=
   []
Example 4
                                                                                               88
syms n;
f = ((-1).^n)*2^-n
ztrans(f)
ans = z/(z + 1/2)
syms z;
f=z/(z+0.5)
iztrans(f)
ans =(-1/2)^n
Example 5
z=[0 ]
p=[0.5;-75]
zplane(z,p)
                                                                 89
Exercise 1
Determine the results of the following polynomial operations using MATLAB
Exercise 2
Determine the following inverse z-transforms using the partial fraction expansion method.
Exercise 3
Determine Inverse Z- transform of both parts of Exercise 2 using iztrans command
Exercise 4
A causal, linear, and time-invariant system is given by the following difference equation:
                                                                                             90
a) Find the system function H (z) for this system.
b) Plot the poles and zeros of H (z) and indicate the region of convergence (ROC).
Exercise 5
Plot the zero-pole diagram for:
Post Lab
Question 1:
Determine the following inverse z-transforms using the partial fraction expansion method
Question 2:
Question 3:
A causal, linear, and time-invariant system is given by the following difference equation:
                                                                                             91
a) Find the system function H (z) for this system.
b) Plot the poles and zeros of H (z) and indicate the region of convergence (ROC).
                                                                                     92
Lab Tasks:
             93
94
95
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objective
Design of FIR filters using MATLAB commands and MATLAB tools.
Background
Digital filters refers to the hard ware and software implementation of the mathematical algorithm
which accepts a digital signal as input and produces another digital signal as output whose wave
shape, amplitude and phase response has been modified in a specified manner.
Digital filter play very important role in DSP. Compare with analog filters they are preferred in
number of application due to following advantages.
       FIR filters design using the window method. B = FIR1(N,Wn) designs an N'th order low
pass FIR digital filter and returns the filter coefficients in length N+1 vector B. The cut-off
frequency Wn must be between 0 < Wn < 1.0, with 1.0 corresponding to half the sample
rate. The filter B is real and has linear phase. The normalized gain of the filter at Wn is -6 dB.
       B = FIR1(N,Wn,'high') designs an N'th order highpass filter. You can also use B =
FIR1(N,Wn,'low') to design a lowpass filter. If Wn is a two-element vector, Wn = [W1 W2],
FIR1 returns an order N bandpass filter with passband W1 < W < W2.
       B = FIR1(N,Wn,'stop') is a bandstop filter if Wn = [W1 W2]. You can also specify If Wn
is a multi-element vector, Wn = [W1 W2 W3 W4 W5 ... WN], FIR1 returns an order N
multiband filter with bands 0 < W < W1, W1 < W < W2, ..., WN < W < 1.
                      B = FIR1(N,Wn,'DC-1') makes the first band a passband.
                      B = FIR1(N,Wn,'DC-0') makes the first band a stopband.
                                                                                                97
By default FIR1 uses a Hamming window. Other available windows, including Boxcar, Hann,
Bartlett, Blackman, Kaiser and Chebwin can be specified with an optional trailing argument. For
example, B = FIR1(N,Wn,kaiser(N+1,4)) uses a Kaiser window with beta=4. B =
FIR1(N,Wn,'high',chebwin(N+1,R)) uses a Chebyshev window.
For filters with a gain other than zero at Fs/2, e.g., highpass and bandstop filters, N must be even.
Otherwise, N will be incremented by one. In this case the window length should be specified as
N+2.
By default, the filter is scaled so the center of the first pass band has magnitude exactly one after
windowing. Use a trailing 'no scale' argument to prevent this scaling, e.g.
B = FIR1(N,Wn,'noscale')
B = FIR1(N,Wn,'high','noscale')
B = FIR1(N,Wn,wind,'noscale').
You can also specify the scaling explicitly, e.g. FIR1(N,Wn,'scale'), etc.
                                                                                                   98
8.3 Designing A Low Pass Filter
Suppose out target is to pass all frequencies below 1200 Hz
       fs=8000;
       n=50;
       w=1200/ (fs/2);
       b=fir1(n,w,'high');
       freqz(b,1,128,8000);
       figure(2)
       [h,w]=freqz(b,1,128,8000);
       plot(w,abs(h)); % Normalized Magnitude Plot
       Designing Band Pass Filter:
       fs=8000;
                                                                       99
      n=40;
      b=fir1(n,[1200/4000 1800/4000],’bandpass’);
      freqz(b,1,128,8000)
      figure(2)
      [h,w]=freqz(b,1,128,8000);
      plot(w,abs(h)); % Normalized Magnitude Plot
      grid
      figure(3)
      zplane(b,1);
8.6 Designing Band Pass Filter
      fs=8000;
      n=40;
      b=fir1(n,[1200/4000 2800/4000],’stop’);
      freqz(b,1,128,8000)
      figure(2)
      [h,w]=freqz(b,1,128,8000);
      plot(w,abs(h)); % Normalized Magnitude Plot
      grid
      figure(3)
      zplane(b,1);
8.7 Designing Notch Filter
      fs=8000;
      n=40;
      b=fir1(n,[1500/4000 1550/4000],'stop');
      freqz(b,1,128,8000)
      figure(2)
      [h,w]=freqz(b,1,128,8000);
      plot(w,abs(h)); % Normalized Magnitude Plot
      grid
      figure(3)
      zplane(b,1);
8.8 Designing Multi Band Filter
      n=50;
      w=[0.2 0.4 0.6];
      b=fir1(n,w);
      28
      freqz(b,1,128,8000)
      figure(2)
      [h,w]=freqz(b,1,128,8000);
                                                    100
           plot(w,abs(h)); % Normalized Magnitude Plot
           grid
           figure(3)
           zplane(b,1);
          fvtool
          fdatool
Let us consider a Low Pass FIR filter of order 30 which passes all frequencies below 2000 Hz with
sampling rate of 8000 Hz.
                                           b=fir1(30,2000/4000,’low’);
                                                   fvtool(b,1)
                                                                                                    101
FDATOOL launches the Filter Design & Analysis Tool (FDATool). FDATool is a Graphical User
Interface (GUI) that allows you to design or import, and analyze digital FIR and IIR filters.
If the Filter Design Toolbox is installed, FDATool seamlessly integrates advanced filter design methods
and the ability to quantize filters.
Now we will design a LPF on FDAtool, the specifications for the filter are shown in respective columns
of FDA tool.
                                                                                                     102
Lab Task
    Design a band passfilter and band stopfilter with the help of LPF and HPF. The filter has
      following specifications.
                                Band pass = 1200 – 2800 Hz
                                 Band stop =1200-2800 Hz
                                                                                           103
          Design a Multi band filter using HPF and LPF. The filter has following specifications
                                     Pass band=1200 Hz – 1800 Hz
                                    Stop band = 1900 Hz – 2200 Hz
                                    Pass band = 2300 Hz – 2700 Hz
2) Design FIR equiripple with following specifications
Post lab
Input any .wav audio signal in Matlab using command wavread or audioread and play that
sound by wavplay draw in time and frequency domain graph of signal and apply these filter and
draw time and frequency plot after each filter and play that signal after each filter( you can save
that audio using wavwrite or audiowrite command )
    i)        low pass
    ii)       high pass
    iii)      band bass and
    iv)       band stop filter
Show m-file and audio signal in next lab and print m-file and graph
                                                                                                   104
Lab Tasks:
             105
106
_
    107
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objective
      Designing of IIR filters by MATLAB commands.
Overview
MATLAB contains various routines for design and analyzing digital filter IIR. Most of these is
part of the signal processing tool box. A selection of these filters is listed below.
                                                                                             109
9.1 Explanation of the Commands for filter design Buttord
       [N, Wn] = BUTTORD(Wp, Ws, Rp, Rs) returns the order N of the lowest order digital
Butterworth filter that loses no more than Rp dB in the pass band and has at least Rs dB of
attenuation in the stop band.
       Wp and Ws are the pass band and stop band edge frequencies, normalized from 0 to 1
(Where 1 corresponds to pi radians/sample). For example
                                   Low pass: Wp = .1, Ws = .2
                                   High pass: Wp = .2, Ws = .1
                               Band pass: Wp = [.2 .7], Ws = [.1 .8]
                               Band stop: Wp = [.1 .8], Ws = [.2 .7]
       BUTTORD also returns Wn, the Butter worth natural frequency (or, the "3 dB
frequency") to use with BUTTER to achieve the specifications.
        [N, Wn] = BUTTORD (Wp, Ws, Rp, Rs,'s') does the computation for an analog filter, in
which case Wp and Ws are in radians/second. When Rp is chosen as 3 dB, the Wn in BUTTER
is equal to Wp in BUTTORD.
9.2 Ellipord
                                                                                                 110
9. 3 Cheb1ord
Chebyshev Type I filter order selection.
[N, Wn] = CHEB1ORD(Wp, Ws, Rp, Rs) returns the order N of the lowest order digital
Chebyshev Type I filter that loses no more than Rp dB in the pass band and has at least Rs dB of
attenuation in the stop band. Wp and Ws are the pass band and stop band edge frequencies,
normalized from 0 to 1 (where1 corresponds to pi radians/sample). For example,
                                   Low pass: Wp = .1, Ws = .2
                                   High pass: Wp = .2, Ws = .1
                              Band pass: Wp = [.2 .7], Ws = [.1 .8]
                               Band stop: Wp = [.1 .8], Ws = [.2 .7]
CHEB1ORD also returns Wn, the Chebyshev natural frequency to use with CHEBY1 to achieve
the specifications.
[N, Wn] = CHEB1ORD (Wp, Ws, Rp, Rs,'s') does the computation for an analog filter, in which
case Wp and Ws are in radians/second.
9.4 Butterworth
Butterworth digital and analog filter design.
        [B,A] = BUTTER(N,Wn) designs an Nth order lowpass digital Butterworth filter and
returns the filter coefficients in length N+1 vectors B (numerator) and A (denominator). The
coefficients are listed in descending powers of z. The cutoff frequency Wn must be 0.0 < Wn <
1.0, with 1.0 corresponding to half the sample rate.
        If Wn is a two-element vector, Wn= [W1 W2], BUTTER returns an order 2N bandpass
filter with passband W1 < W < W2.
       When used with three left-hand arguments, as in [Z,P,K] = BUTTER(...), the zeros and
poles are returned in length N column vectors Z and P, and the gain in scalar K. When used with
four left-hand arguments, as in [A,B,C,D] = BUTTER(...), state-space matrices are returned.
                                                                                             111
9.5 Elliptic
Elliptic or Cauer digital and analog filter design.
        [B,A] = ELLIP(N,Rp,Rs,Wn) designs an Nth order low pass digital elliptic filter with Rp
Decibels of peak-to-peak ripple and a minimum stop band attenuation of Rs decibels. ELLIP
returns the filter coefficients in length N+1 vectors B (numerator) and A (denominator).The
cutoff frequency Wn must be 0.0 < Wn < 1.0, with 1.0 corresponding to half the sample rate. Use
Rp = 0.5 and Rs = 20 as starting points, if you are unsure about choosing them.
        When used with three left-hand arguments,as in [Z,P,K] = ELLIP(...), the zeros and poles
are returned in length N column vectors Z and P, and the gain in scalar K. When used with four
left-hand arguments, as in [A,B,C,D] = ELLIP(...), state-space matrices are returned.
9.6 Cheby1
Chebyshev Type I digital and analog filter design.
        [B,A] = CHEBY1(N,R,Wn) designs an Nth order lowpass digital Chebyshev filter with R
decibels of peak-to-peak ripplein the passband. CHEBY1 returns the filter coefficients in length
N+1 vectors B (numerator) and A (denominator). The cutoff frequency Wn must be 0.0 < Wn <
1.0, with 1.0 corresponding to half the sample rate. Use R=0.5 as a starting point, if you are
unsure about choosing R.
                                                                                                 112
[B,A] = CHEBY1(N,R,Wn,'stop') is a bandstop filter if Wn = [W1 W2].
        When used with three left-hand arguments, as in [Z,P,K] = CHEBY1(...), the zeros and
poles are returned in length N column vectors Z and P, and the gain in scalar K.
       Suppose our target is to designa filter to pass all frequencies below 1200 Hz with pass
band ripples = 1 dB and minimum stop band attenuation of 50 dB at 1500 Hz. The sampling
frequency for the filter is 8000 Hz;
       fs=8000;
     [n,w]=buttord(1200/4000,1500/4000,1,50); % finding the order of
the filter
       [b,a]=butter(n,w); % finding zeros and poles for filter
       figure(1)
       freqz(b,a,512,8000);
       figure(2)
       [h,q] = freqz(b,a,512,8000);
       plot(q,abs(h)); % Normalized Magnitude plot
       grid
       figure(3)
       f=1200:2:1500;
       freqz(b,a,f,8000) % plotting the Transition band
       figure(4)
       zplane(b,a) % pole zero constellation diagram
       Now we wish to design a filter to pass all frequencies between 1200 Hz and 2800 Hz
with pass band ripples = 1 dB and minimum stop band attenuation of 50 dB. The sampling
frequency for the filter is 8000 Hz;
       [n,w]=buttord([1200/4000,2800/4000],[200/4000, 3200/4000],1,50);
       [b,a]=butter(n,w,'bandpass');
       figure(1)
       freqz(b,a,128,8000)
       figure(2)
       [h,w]=freqz(b,a,128,8000);
       plot(w,abs(h))
       grid
       figure(3)
       f=800:2:1200;
       freqz(b,a,f,8000); % Transition Band
       figure(4)
       f=2800:2:3200;
       freqz(b,a,f,8000); % Transition Band
       figure(5)
                                                                                                  114
        zplane(b,a)
        fvtool
        fdatool
Let us consider a Low Pass FIR filter of order 30 which passes all frequencies below 2000 Hz with
sampling rate of 8000 Hz.
                                           b=fir1(30,2000/4000,’low’);
                                                   fvtool(b,1)
                                                                                                     115
Filter Design & Analysis Tool
FDATOOL launches the Filter Design & Analysis Tool (FDATool). FDATool is a Graphical User
Interface (GUI) that allows you to design or import, and analyze digital FIR and IIR filters.
If the Filter Design Toolbox is installed, FDATool seamlessly integrates advanced filter design methods
and the ability to quantize filters.
                                                                                                     116
Now we will design a LPF on FDAtool, the specifications for the filter are shown in respective columns
of FDA tool.
                                                                                                    117
Lab Task
   2) Design IIR butter worth filter ,cheby1,elliptic using MATLAB Tool with following
      specifications:
      -50 dB or more for 0 to 1200 Hz ( Stop Band Attenuation )
      -1 dB or less from 2000 Hz to 4000 Hz ( Pass Band Characteristics )
      -50 dB or more above 6000 Hz ( Stop Band Attenuation )
      Sampling frequency 16000 Hz for all filter
Post Lab
   1) Design all IIR filters in lab using following commands
       Cheb1ord( )
       Cheby1( )
 Compare the results of the butter worth LPF (performed in lab) with ellip LPF(performed in lab
task) and cheby1 LPF on following basis
       Order
       Minimum stop band attenuation achieved
      Pole –zeros plot which filter appears to have pole most closely to the unit circle.
   2) Design all IIR filters lowpass, Highpass, bandpass and band stop (implemented in lab using
      MATLAB commands) using MATLAB Tool.
                                                                                                   119
Lab Tasks:
             120
121
122
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Tools:
        DSP Kit TMS 320C6713 DSK
        CCS
        Oscilloscope
Background:
File types used in CCS:
You will be working with a number of files with different extensions. They include:
1. file.c : C source program.
2. file.asm : assembly source program created by the user, by the C compiler,or by the linear
optimizer.
3. file.sa : linear assembly source program. The linear optimizer uses file.sa as input to produce
an assembly program file.asm .
4. file.h : header support file.
5. file.lib : library file, such as the run - time support library file rts6700.lib .
6. file.cmd : linker command file that maps sections to memory.
7. file.obj : object file created by the assembler.
8. file.out : executable file created by the linker to be loaded and run on theC6713 or C6416
processor.
9. file.cdb : confi guration file when using DSP/BIOS.
Sine Wave Generation Using Eight Points with DIP Switch Control (sine8_LED )
This example generates a sinusoidal analog output waveform using a table – lookup method.
More importantly, it illustrates some of the features of CCS for editing source files, building a
project, accessing the code generation tools, and running a program on the C6713 processor. The
C source file sine8_LED.c listed in Figure 1.2 is included in the folder sine8_LED .
Program Description
The operation of program sine8_LED.c is as follows. An array, sine_table , of eight 16 - bit
signed integers is declared and initialized to contain eight samples of exactly one cycle of a
sinusoid. The value of sine_table[i] is equal to
1000sin(2πi/8) for i 1, 2, 3, . . . , 7
Within function main() , calls to functions comm_poll() , DSK6713_LED_init() , and
DSK6713_DIP_init() initialize the DSK, the AIC23 codec onboard the DSK, and the two
multichannel buffered serial ports (McBSPs) on the C6713 processor. Function comm_poll() is
defined in the file c6713dskinit.c , and functions DSK6713_LED_init() and DSK6713_DIP_init()
are supplied in the board support library (BSL) file dsk6713bsl.lib .
                                                                                                124
The program statement while(1) within the function main() creates an infinite loop. Within that
loop, the state of DIP switch #0 is tested and if it is pressed down, LED #0 is switched on and a
sample from the lookup table is output. If DIP switch #0 is not pressed down then LED #0 is
switched off. As long as DIP switch #0 is pressed down, sample values read from the array
sine_table will be output and a sinusoidal analog output waveform will be generated via the left -
hand channel of the AIC23 codec and the LINE OUT and HEADPHONE sockets. Each time a
sample value is read from the array sine_table , multiplied by the value of the variable gain , and
written to the codec, the index, loopindex , into the array is incremented and when its value
exceeds the allowable range for the array( LOOPLENGTH - 1 ), it is reset to zero.
//sine8_LED.c sine generation with DIP switch control
#include "dsk6713_aic23.h" //codec support
Uint32 fs = DSK6713_AIC23_FREQ_8KHZ; //set sampling rate
#define DSK6713_AIC23_INPUT_MIC 0x0015
#define DSK6713_AIC23_INPUT_LINE 0x0011
Uint16 inputsource=DSK6713_AIC23_INPUT_MIC; //select input
#define LOOPLENGTH 8
short loopindex = 0; //table index
short gain = 10; //gain factor
short sine_table[LOOPLENGTH]=
{0,707,1000,707,0,-707,-1000,-707}; //sine values
void main()
{
comm_poll(); //init DSK,codec,McBSP
DSK6713_LED_init(); //init LED from BSL
DSK6713_DIP_init(); //init DIP from BSL
while(1) //infinite loop
{
if(DSK6713_DIP_get(0)==0) //if DIP #0 pressed
{
DSK6713_LED_on(); //turn LED #0 ON
output_left_sample(sine_table[loopindex++]*gain); //output
if (loopindex >= LOOPLENGTH) loopindex = 0; //reset index
}
else DSK6713_LED_off(0); //else turn LED #0 OFF
} //end of while(1)
} //end of main
Each time the function output_left_sample() , defined in source file C6713dskinit.c , is called to
output a sample value, it waits until the codec, initialized by the function comm_poll() to output
samples at a rate of 8 kHz, is ready for the next sample. In this way, once DIP switch #0 has been
pressed down it will be tested at a rate of 8 kHz. The sampling rate at which the codec operates is
set by the program statement
Uint32 fs = DSK6713_AIC23_FREQ_8KHZ;
One cycle of the sinusoidal analog output waveform corresponds to eight output samples and
hence the frequency of the sinusoidal analog output waveform is equal to the codec sampling
rate (8 kHz) divided by eight, that is, 1 kHz.
                                                                                               125
Lab Task 1
Creating a Project
This project will require three files: the main source code (sine8_LED.c), a linker command file
(C6713.cmd), c6713dskinit.c, c6713dskinit.h and an ASM file containing the necessary interrupt
vectors (vectors_poll.asm). You can download these files from SSC now and add them to the
project in a later
Click on "File->New->CCS Project". If this is the first time using CCS v6, you may have to click
"File->New->Other" and then select CCS project. The following window should appear and set
values according to figure.
                                                                                            126
This is where you name and configure your project. Here we named the project "sine8_LED",
told CCS to use the default location (you may want a different location), set the device variant to
DSK6713 and told CCS how to connect to it (this is very important). We've also opened the
advanced settings and told CCS to use our C6713.cmd linker command file (if you miss this step,
you can always replace the linker command file later).”C6713.cmd” should be available on the
path C:\ti\Support\C6713dsk.cmd .Under project templates and examples, select "Empty Project"
and then click "Finish".
                                                                                               127
This is what it should look like after you've set up the project container.
You might have some other panels visible, but the Project Explorer panel should show the
sin8_LED project as "Active" and should show the C6713.cmd file.
So far, we just have an empty project container with no code. Now you can copy or move
sin8_LED.c a, vectors_poll.asm and c6713dskinit.c into your project directory using Project-
>add files option. These files are available in folder. Here is what CCS v6 should look like after
it recognizes that you moved the two source files into the project directory.
                                                                                              128
Part 4: Tell CCS v6 where to find the necessary header files and libraries
If we try to build the project now, we will get some errors because (among other things) CCS v6
doesn't know how to find the CSL and BSL header files and libraries. We'll first tell CCS v6
where to find the header files. Click on "Project->Properties". Drill down to "Build / C6000
Compiler          /        Include       Options"         in        the      left        sidebar.
This is where we will configure CCS v6 to find the appropriate header files. Note that we can
                                                                                             129
add directories to the #include search path here by pressing the button with the green plus sign
add following paths.
C:\ti\Support
C:\ti\DSK6713\DSK6713\c6000\dsk6713\include
C:\ti\C6xCSL\include.
We now need to tell CCS v6 to include the CSL and BSL library files in the project. Drill down
to "Build / C6000 Linker / File Search Path" in the left sidebar
Note that we can include library files directly in the project by pressing the button with the green
plus sign.
Press the button with the green plus sign to add the                                CSL      library
Usually, the CSL library is in C:\ti\C6xCSL\lib_3x\csl6713.lib. Click "OK".
Press the button with the green plus sign to add the BSL library
Usually, the BSL library is in C:\ti\DSK6713\c6000\dsk6713\lib\dsk6713bsl.lib. Click "OK".
Part 5: Tell CCS what to use for stack and heap sizes
You could now compile the project, but you would get some warnings about not explicitly
setting the stack and heap sizes (CCS v6 will just go with some default values). We would like to
get rid of these warnings. To do this, drill down to "Build / C6000 Linker / Basic Options" in the
                                                                                                 130
left sidebar and put in values of 0x400 for stack size and 0x400 for heap size
There is still one more thing to fix before CCS v6 will cleanly compile the project. Drill down to
"Build / C6000 Compiler / Advanced Options / Runtime Model Options" in the left sidebar and
set the "Constant access model" and "Data access model" both to "Far":
While the project will compile with the current settings, the compiler will not use instructions
optimized for the TMS320C6713 chip unless we tell it to do so. Drill down to "Build / C6000
Compiler / Processor Options" in the left sidebar and set the "Target processor version" to
"6713"                                       (no                                        quotes):
                                                                                              131
Now click "OK".
Drill down to "Build / C6000 Compiler / Advance options/predefined symbols" and press the
button with the green plus sign add type in CHIP_6713 and press OK as show in figure below
                                                                                             132
If you've followed all of the steps above, you should be able to build the project without errors or
warnings. Click on the hammer button or "Project->Build All". You should see something like
this:
Now click the green bug icon (this launches the debugger). This will cause the executable output
of the build to be loaded onto the DSK and put the instruction pointer of the DSP at the start of
your code. You may be asked to terminate an existing debug session. If so, click "Yes". You may
also see some USB enumeration as CCS connects with the DSK. After a few seconds, you
should see something like this upon entering the debugger:
In the Debug window, press the Run/Resume button. Try it. You can halt the code anytime by
pressing the Suspend button (looks like pause). When the DSP is running, you should hear
music. When the DSP is halted, you should not hear music.
LAB Task 2
Changing the Frequency of the Generated Sinusoid
There are several different ways in which the frequency of the sinusoid generated by program
sine8_LED.c can be altered.
1. Change the AIC23 codec sampling frequency from 8 kHz to 16 kHz by changing the line that
reads
                                                                                                133
Uint32      fs     =      DSK6713_AIC23_FREQ_8KHZ;             to   read     Uint32      fs     =
DSK6713_AIC23_FREQ_16KHZ;
Rebuild (use incremental build) the project, load and run the new executable file, and verify that
the frequency of the generated sinusoid is 2 kHz. The frequencies supported by the AIC23 codec
are 8, 16, 24, 32, 44.1, 48, and 96 kHz.
2. Change the number of samples stored in the lookup table to four. By changing the lines that
read
#define LOOPLENGTH 8
short sine_table[LOOPLENGTH]={0,707,1000,707,0, - 707,0, - 1000,- 707};
to read
#define LOOPLENGTH 4
short sine_table[LOOPLENGTH]={0,1000,0, - 1000};
Verify that the frequency of the sinusoid generated is 2 kHz (assuming an 8-kHz sampling
frequency).Remember that the sinusoid is no longer generated if the DIP switch #0 is not pressed
down. A different DIP switch can be used to control whether or not a sinusoid is generated by
changing the value of the parameter passed to the functions DSK6713_DIP_get(),
DSK6713_LED_on(), and DSK6713_ LED_off() . Suitable values are 0, 1, 2, and 3. Two sliders
can readily be used, one to change the gain and the other to change the frequency. A different
signal frequency can be generated, by changing the incremental changes applied to the value of
loopindex within the C program (e.g., stepping through every two points in the table). When you
exit CCS after you build a project, all changes made to the project can be saved.
                                                                                              134
Lab Tasks:
             135
136
137
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Background:
Ok, but what is the DFT? The DFT is extremely important in the area of frequency (spectrum)
analysis because it takes a discrete signal in the time domain and transforms that signal into its
discrete frequency domain representation. Without a discrete-time to discrete-frequency
transform we would not be able to compute the Fourier transform with a microprocessor or DSP
based system.
It is the speed and discrete nature of the FFT that allows us to analyze a signal’s spectrum with
Matlab or in real-time on the SR770
2. Review of Transforms
The Laplace transform is used to to find a pole/zero representation of a continuous-time signal
or system, x(t), in the s-plane. Similarly, Thez transform is used to find a pole/zero
representation of a discrete-time signal or system, x[n], in the z-plane.
The continuous-time Fourier transform (CTFT) can be found by evaluating the Laplace
transform at s = jω. The discrete-time Fourier transform (DTFT) can be found by evaluating the
z transform at z = ejΩ.
                                                                                              139
                            .
                       Figure 1: Plot showing the symmetry of a DFT
Periodicity: The DTFT, X(ejΩ), is periodic. One period extends from f = 0 to fs, where fs is the
sampling frequency. Taking advantage of this redundancy, The DFT is only defined in the region
between 0 and fs.
Symmetry: When the region between 0 and fs is examined, it can be seen that there is even
symmetry around the center point, 0.5fs, the Nyquist frequency. This symmetry adds redundant
information. Figure 1 shows the DFT (implemented with Matlab’s FFT function) of a cosine
with a frequency one tenth the sampling frequency. Note that the data between 0.5fs and fs is a
mirror image of the data between 0 and 0.5fs.
Example 1: The typical syntax for computing the FFT of a signal is FFT(x,N) where x is the
signal, x[n], you wish to transform, and N is the number of points in the FFT. N must be at least
as large as the number of samples in x[n]. To demonstrate the effect of changing the value of N,
sythesize a cosine with 30 samples at 10 samples per period.
n = [0:29];
x = cos(2*pi*n/10);
Define 3 different values for N. Then take the transform of x[n] for each of the 3 values that were
defined. The abs function finds the magnitude of the transform, as we are not concered with
distinguishing between real and imaginary components.
N1 = 64;
                                                                                               140
N2 = 128;
N3 = 256;
X1 = abs(fft(x,N1));
X2 = abs(fft(x,N2));
X3 = abs(fft(x,N3));
The frequency scale begins at 0 and extends to N −1 for an N-point FFT. We then normalize the
scale so that it extends from 0 to 1− 1 N.
F1 = [0 : N1 - 1]/N1;
F2 = [0 : N2 - 1]/N2;
F3 = [0 : N3 - 1]/N3;
subplot(3,1,1)
subplot(3,1,2)
subplot(3,1,3)
Upon examining the plot (shown in figure 2) one can see that each of the transforms adheres to
the same shape, differing only in the number of samples used to approximate that shape. What
happens if N is the same as the number of samples in x[n]? To find out, set N1 = 30. What does
the resulting plot look like? Why does it look like this?
                                                                                          141
                                                    N = 64
                   20
10
                    0
                        0   0.1   0.2   0.3   0.4     0.5     0.6   0.7   0.8   0.9   1
                                                    N = 128
                   20
10
                    0
                        0   0.1   0.2   0.3   0.4     0.5     0.6   0.7   0.8   0.9   1
                                                    N = 256
                   20
10
                    0
                        0   0.1   0.2   0.3   0.4     0.5     0.6   0.7   0.8   0.9   1
Example 2: In the the last example the length of x[n] was limited to 3 periods in length. Now,
let’s choose a large value for N (for a transform with many points), and vary the number of
repetitions of the fundamental period.
n = [0:29];
x1 = cos(2*pi*n/10); % 3 periods
= 2048;
X1 = abs(fft(x1,N));
X2 = abs(fft(x2,N));
X3 = abs(fft(x3,N));
F = [0:N-1]/N;
subplot(3,1,1)
subplot(3,1,2)
The previous code will produce three plots. The first plot, the transform of 3 periods of a cosine,
looks like the magnitude of 2 sincs with the center of the first sinc at 0.1fs and the second at
0.9fs.
                                                      3 periods
                   50
                    0
                        0     0.1   0.2   0.3   0.4      0.5      0.6   0.7   0.8   0.9   1
                                                      6 periods
                   50
                    0
                        0     0.1   0.2   0.3   0.4      0.5      0.6   0.7   0.8   0.9   1
                                                      9 periods
                   50
                    0
                        0     0.1   0.2   0.3   0.4      0.5      0.6   0.7   0.8   0.9   1
The second plot also has a sinc-like appearance, but its frequency is higher and it has a larger
magnitude at 0.1fs and 0.9fs. Similarly, the third plot has a larger sinc frequency and magnitude.
As x[n] is extended to an large number of periods, the sincs will begin to look more and more
like impulses.
But I thought a sinusoid transformed to an impulse, why do we have sincs in the frequency
domain? When the FFT is computed with an N larger than the number of samples in x[n], it fills
in the samples after x[n] with zeros. Example 2 had an x[n] that was 30 samples long, but the
FFT had an N = 2048. When Matlab computes the FFT, it automatically fills the spaces from n =
30 to n = 2047 with zeros. This is like taking a sinusoid and mulitipying it with a rectangular box
of length 30. A multiplication of a box and a sinusoid in the time domain should result in the
convolution of a sinc with impulses in the frequency domain. Furthermore, increasing the width
of the box in the time domain should increase the frequency of the sinc in the frequency domain.
The previous Matlab experiment supports this conclusion.
t = 0:1/50:10-1/50;
x = sin(2*pi*15*t) + sin(2*pi*20*t);
1.5
0.5
-0.5
-1
-1.5
                                   -2
                                        0   1   2   3   4   5   6   7   8   9   10
m = abs(y);
p = angle(y);
Compute the frequency vector associated with the signal y, which is sampled in frequency space.
f = (0:length(y)-1)*50/length(y);
Plot the magnitude and phase of the signal as a function of frequency. The spikes in magnitude
correspond to the signal's frequency components.
subplot(2,1,1)
plot(f,m)
title('Magnitude')
subplot(2,1,2)
plot(f,rad2deg(p))
title('Phase')
                                                                                             144
                 Figure 5: Magnitude and Phase plot of transformed signal
Compute and plot the inverse transform of   , which reproduces the original data in   up to
round-off error.
figure
x2 = ifft(y);
plot(t,x2)
In many applications, it is more convenient to view the power spectrum centered at 0 frequency
because it better represents the signal's periodicity. Use the fftshift function to perform a
circular shift on y, and plot the 0-centered power.
       y0 = fftshift(y);         % shift y values
       f0 = (-n/2:n/2-1)*(fs/n); % 0-centered frequency range
       power0 = abs(y0).^2/n;    % 0-centered power
       plot(f0,power0)
       xlabel('Frequency')
       ylabel('Power')
                                                                                          146
                                   Figure 8: Power Spectrum centered at ‘0’
plot(x)
xlabel('Sample Number')
ylabel('Amplitude')
w=flipud(x);
plot(w)
xlabel('Sample Number')
ylabel('Amplitude')
This example analyzes a single moan. Specify new data that approximately consists of the first
moan, and correct the time data to account for the factor-of-10 speed-up. Plot the truncated
signal as a function of time
moan = w(2.45e4:3.10e4);
t = 10*(0:1/fs:(length(moan)-1)/fs);
plot(t,moan)
                                                                                              147
xlabel('Time (seconds)')
ylabel('Amplitude')
xlim([0 t(end)])
The Fourier transform of the data identifies frequency components of the audio signal. In some
applications that process large amounts of data with fft, it is common to resize the input so that
the number of samples is a power of 2. This can make the transform computation significantly
faster, particularly for sample sizes with large prime factors. Specify a new signal length n that is
a power of 2, and use the fft function to compute the discrete Fourier transform of the
signal. fft automatically pads the original data with zeros to increase the sample size.
m = length(moan);      % original sample length
n = pow2(nextpow2(m)); % transform length
y = fft(moan,n);       % DFT of signal
Adjust the frequency range due to the speed-up factor, and compute and plot the power spectrum
of the signal. The plot indicates that the moan consists of a fundamental frequency around ? Hz.
f = (0:n-1)*(fs/n)/10;
power = abs(y).^2/n;
plot(f(1:floor(n/2)),power(1:floor(n/2)))
xlabel('Frequency')
ylabel('Power')
specify axis and find out fundamental frequency    yourself
LAB TASK
   2. Create signal with component frequencies at 25 35 and 40 Hz, corrupt the signal by
      Gaussian noise and then find the frequency components of the signal using fourier
      transform. Show each step.
POST LAB
1. Use audio signal of your own choice and find the fundamental frequency of that signal.
YOU MUST ATTACH EXAMPLES, LAB TASK AND POST LAB IN THIS JOURNAL.
                                                                                                 148
Lab Tasks:
             149
150
151
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objective:
The aim of this laboratory exercise is to design and implement a Digital FIR Filter & observe its
output response and verify its result with matlab result. In this experiment we design a simple
FIR filter so as to stop or attenuate required band of frequencies components and pass the
frequency components, which are outside the required band.
Equipment/Tools:
Background:
A Finite Impulse Response (FIR) filter is a discrete linear time-invariant system whose output is
based on the weighted summation of a finite number of past inputs. An FIR transversal filter
structure can be obtained directly from the equation for discrete-time convolution.
               N 1
In this equation, x(k) and y(n) represent the input to and output from the filter at time n. h(n-k) is the
transversal filter coefficients at time n. These coefficients are generated by using FDS (Filter Design
Software or Digital filter design package).
#include<stdio.h>
#define length 102;
                                                                                                          153
       0.00330037907630074,       -0.000947565353124688,      -0.00458380529790458,
       -0.000407515065922468,     0.00569085104879121,        0.00251805610046447,
       -0.00629552626680195,      -0.00537208278543857,       0.00601042397380920,
       0.00882000845158656,       -0.00442211241392894,       -0.0125497865780449,
       0.00113135556227939,       0.0160747245614122, 0.00421560887986895,        -
0.0187277319201821, -0.0119281629078407,        0.0196382664984678, 0.0223511808880660,
       -0.0176222900742693,       -0.0361465682578888,        0.0107550515452356,
       0.0552313228132229, 0.00539010708441565,       -0.0868848209034993,        -
0.0482876046442340, 0.180348267142795, 0.413296658299820, 0.413296658299820,
       0.180348267142795, -0.0482876046442340,        -0.0868848209034993,
       0.00539010708441565,       0.0552313228132229, 0.0107550515452356, -
0.0361465682578888, -0.0176222900742693,        0.0223511808880660, 0.0196382664984678,
       -0.0119281629078407,       -0.0187277319201821,        0.00421560887986895,
       0.0160747245614122, 0.00113135556227939,       -0.0125497865780449,        -
0.00442211241392894,       0.00882000845158656,        0.00601042397380920,       -
0.00537208278543857,       -0.00629552626680195,       0.00251805610046447,
       0.00569085104879121,       -0.000407515065922468,      -0.00458380529790458,
       -0.000947565353124688,     0.00330037907630074,        0.00163719509508314,
       -0.00208228404624763,      -0.00181256943395200,       0.00107949055529583,
       0.00164666990393341,       -0.000357137344329074,      -0.00130190666047566,
       -8.69430260054681e-05,     0.000908351903565758,       0.000299212229550625,
       -0.000553592106421449,     -0.000347092678311239,      0.000282922176996965,
       0.000299440156648064,      -0.000106986952535032,      -0.000213274463968118,
       1.32715219433590e-05,      0.000127396713894963,       2.19709375418733e-05,
       -6.19816178820203e-05,     -2.39094829859133e-05,      2.22575723961909e-05,
       1.28095888084841e-05};
       double x[102] = {0, 0.481753674101715, 0.844327925502015, 0.998026728428272,
       0.904827052466020, 0.587785252292473, 0.125333233564305, -0.368124552684678,
       -0.770513242775789, -0.982287250728689, -0.951056516295154, -0.684547105928689,
       -0.248689887164855, 0.248689887164855, 0.684547105928689, 0.951056516295154,
       0.982287250728689, 0.770513242775789, 0.368124552684678, -0.125333233564303,
       -0.587785252292473, -0.904827052466019, -0.998026728428272, -0.844327925502015,
       -0.481753674101716, -4.89858719658941e-16,     0.481753674101715,
       0.844327925502016, 0.998026728428272, 0.904827052466020, 0.587785252292474,
       0.125333233564304, -0.368124552684679, -0.770513242775790, -0.982287250728689,
       -0.951056516295154, -0.684547105928689, -0.248689887164854, 0.248689887164853,
       0.684547105928688, 0.951056516295153, 0.982287250728689, 0.770513242775791,
       0.368124552684680, -0.125333233564303, -0.587785252292473, -0.904827052466020,
       -0.998026728428272, -0.844327925502016, -0.481753674101717, -9.79717439317883e-
16,    0.481753674101715, 0.844327925502015, 0.998026728428272, 0.904827052466019,
       0.587785252292471, 0.125333233564301, -0.368124552684678, -0.770513242775790,
       -0.982287250728689, -0.951056516295154, -0.684547105928689, -0.248689887164855,
       0.248689887164852, 0.684547105928690, 0.951056516295153, 0.982287250728690,
       0.770513242775794, 0.368124552684681, -0.125333233564299, -0.587785252292472,
       -0.904827052466018, -0.998026728428272, -0.844327925502017, -0.481753674101714,
       -1.46957615897682e-15,     0.481753674101712, 0.844327925502015,
       0.998026728428271, 0.904827052466019, 0.587785252292474, 0.125333233564302,
       -0.368124552684678, -0.770513242775792, -0.982287250728688, -0.951056516295154,
       -0.684547105928692, -0.248689887164855, 0.248689887164852, 0.684547105928690,
       0.951056516295153, 0.982287250728688, 0.770513242775790, 0.368124552684674,
       -0.125333233564298, -0.587785252292472, -0.904827052466018, -0.998026728428272,
       -0.844327925502017, -0.481753674101715, -1.95943487863577e-15,
       0.481753674101711 };
       double y[102];
                                                                                    154
void main(void)
{
             while(1)
             {
                   int i;
                            int j = 0;
                            for(i = 0; i < 102; i++)
                            {
                                   y[i] = 0;
                                   for(j =0; j < 102; j++)
                                          if(i-j > 0)
                                          {
                                                 y[i] = y[i] + (x[i - j] *
b[j]);
                                          }
                                   printf("%f, ",y[i]);
                            }
             }
}
                                                                        155
Matlab coding:
clc
clear all
close all
b = [1.28095888084841e-05, 2.22575723961909e-05,    -
2.39094829859133e-05, -6.19816178820203e-05,
2.19709375418733e-05,   0.000127396713894963,
1.32715219433590e-05,   -0.000213274463968118, -
0.000106986952535032, 0.000299440156648064,
0.000282922176996965,   -0.000347092678311239, -
0.000553592106421449, 0.000299212229550625,
0.000908351903565758,   -8.69430260054681e-05, -
0.00130190666047566,   -0.000357137344329074,
0.00164666990393341,    0.00107949055529583,    -
0.00181256943395200,   -0.00208228404624763,
0.00163719509508314,    0.00330037907630074,    -
0.000947565353124688, -0.00458380529790458,   -
0.000407515065922468, 0.00569085104879121,
0.00251805610046447,    -0.00629552626680195,   -
0.00537208278543857,   0.00601042397380920,
                                                        156
0.00882000845158656,     -0.00442211241392894,     -
0.0125497865780449,     0.00113135556227939,
0.0160747245614122, 0.00421560887986895,      -0.0187277319201821,
-0.0119281629078407,     0.0196382664984678, 0.0223511808880660,
-0.0176222900742693,     -0.0361465682578888,
0.0107550515452356, 0.0552313228132229, 0.00539010708441565,
-0.0868848209034993,     -0.0482876046442340,
0.180348267142795, 0.413296658299820, 0.413296658299820,
0.180348267142795, -0.0482876046442340,       -0.0868848209034993,
0.00539010708441565,     0.0552313228132229, 0.0107550515452356,
-0.0361465682578888,     -0.0176222900742693,
0.0223511808880660, 0.0196382664984678, -0.0119281629078407,
-0.0187277319201821,     0.00421560887986895,
0.0160747245614122, 0.00113135556227939,      -0.0125497865780449,
-0.00442211241392894,    0.00882000845158656,
0.00601042397380920,     -0.00537208278543857,     -
0.00629552626680195,    0.00251805610046447,
0.00569085104879121,     -0.000407515065922468, -
0.00458380529790458,    -0.000947565353124688,
0.00330037907630074,     0.00163719509508314,      -
0.00208228404624763,    -0.00181256943395200,
0.00107949055529583,     0.00164666990393341,      -
0.000357137344329074, -0.00130190666047566,      -
8.69430260054681e-05, 0.000908351903565758,
0.000299212229550625,    -0.000553592106421449, -
0.000347092678311239, 0.000282922176996965,
0.000299440156648064,    -0.000106986952535032, -
0.000213274463968118, 1.32715219433590e-05,
0.000127396713894963,    2.19709375418733e-05,     -
6.19816178820203e-05, -2.39094829859133e-05,
2.22575723961909e-05,    1.28095888084841e-05];
y = zeros(1,102);
% x = zeros(1,102);
% for i = 1:102
%      x(i) = i;
% end
  x = sin(2*pi*8*[0:.01:1.01]);
for i = 1:102
    y(i) = 0;
    for j =1:102
        if(i-j > 0)
            y(i) = y(i) + 1000*(x(i - j) * b(j));
            fprintf('%f, ',y(i));
        end
    end
                                                                157
end
plot(y)
Lab Task:
Create coefficients for low pass, High pass and Band stop filter in matlab and
       copy the coefficient of the filter into CCS and verify the result.
                                                                           158
Lab Tasks:
             159
160
161
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
SUPPORT FILES
The support files c6713dskinit.c , vectors_intr.asm or vectors_poll.asm , and c6713dsk.cmd are
used by nearly all of the examples .
Initialization/Communication File ( c6713dskinit.c )
Source file c6713dskinit.c contains the definitions of a number of functions used to initialize the
DSK. Calls are made from these functions to lower level functions provided with CCS in the
board support library (BSL) and chip support library (CSL) files dsk6713bsl.lib and csl6713.lib .
Functions comm_intr() and comm_poll() initialize communications between the C6713 processor
and the AIC23 codec for either interrupt - driven or polling - based input and output. In the case
of interrupt - driven input and output, interrupt #11 (INT11), generated by the codec via the
serial port (McBSP), is configured and enabled (selected). The nonmaskable interrupt bit must be
enabled as well as the global interrupt enable (GIE) bit.Functions input_sample() ,
input_left_sample() , input_right_sample() , output_sample() , output_left_sample() , and
input_right_sample() are used to read and write data to and from the codec. In the case of polling
– based input and output, these functions wait until the next sampling instant (determined by the
codec) before reading or writing, using the lower level functions MCBSP_read() or
MCBSP_write() . They do this by polling (testing) the receive ready (RRDY) or transmit ready
(XRDY) bits of the McBSP control register (SPCR). In the case of interrupt - driven input and
output, the processor is interrupted by the codec at each sampling instant and when either
input_sample() or output_sample() is called from within the interrupt service routine, reading or
writing proceeds without RRDY or XRDY being tested. Header File ( c6713dskinit.h ) The
corresponding header support file c6713dskinit.h contains function prototypes as well as initial
settings for the control registers of the AIC23 codec. Nearly all of the example programs in use
the same AIC23 control register settings. However, two codec parameters — namely, sampling
frequency and selection of ADC input (LINE IN or MIC IN) — are changed more often, from
one program example to another, and for that reason the following mechanism has been adopted.
During initialization of the DSK (in function dsk_init() , defined in file c6713dskinit.c ), the
AIC23 codec control registers are initialized using the DSK6713_AIC23_Config type data
structure config defined in header file c6713dskinit.h . Immediately following this initialization,
two functions DSK6713_AIC23_setFreq() and DSK6713_AIC23_rset() are called and these set
the sampling frequency and select the input source according to the values of the variables fs and
input source . These values are set in the first few lines of every top level source file; for
example,
Uint32 fs = DSK6713_AIC23_FREQ_8KHZ; //set sampling rate
#define DSK6713_AIC23_INPUT_MIC 0x0015
                                                                                                163
#define DSK6713_AIC23_INPUT_LINE 0x0011
Uint16 inputsource=DSK6713_AIC23_INPUT_MIC; //select input source
In this way, the sampling frequency and input source can be changed without having to edit
either c6713sdkinit.h or c6713dskinit.c .
                                                                                                164
Uint32 fs=DSK6713_AIC23_FREQ_8KHZ; //set sampling rate
#define DSK6713_AIC23_INPUT_MIC 0x0015
#define DSK6713_AIC23_INPUT_LINE 0x0011
Uint16 inputsource=DSK6713_AIC23_INPUT_MIC; // select input
#define LOOPLENGTH 8
#define BUFFERLENGTH 256
int loopindex = 0; //table index
int bufindex = 0; //buffer index
short sine_table[LOOPLENGTH]={0,707,1000,707,0,-707,-1000,-707};
int out_buffer[BUFFERLENGTH]; //output buffer
short gain = 10;
interrupt void c_int11() //interrupt service routine
short out_sample;
out_sample = sine_table[loopindex++]*gain;
output_left_sample(out_sample); //output sample value
out_buffer[bufindex++] = out_sample; //store in buffer
if (loopindex >= LOOPLENGTH) loopindex = 0; //check end table
if (bufindex >= BUFFERLENGTH) bufindex = 0; //check end buffer
return;
} //return from interrupt
void main()
{
comm_intr(); //initialise DSK
while(1); //infinite loop
}
       5. Click finish and you should be able to see the and relevant files of the prohect in
       project view.
                                                                                               166
2. Figure 14.14 a shows the Graph Property Dialog window that corresponds to the frequency
domain representation of the contents of out_buffer shown in Figure 14.14 b. The spike at 1 kHz
represents the frequency of the sinusoid generated by program sine8_buf.c.
    FIGURE 14.13. (a) Graph Property window and (b) Time domain plot of data stored in
                                      out_buffer .
                                                                                            167
 FIGURE 14.14. (a) Graph Property window and (b) Frequency domain plot of data stored in
                                     out_buffer .
                                                                                      168
To view the contents of out_buffer , select View MemoryBrowser . Specify out_buffer as the
Address and select 32 - bit Signed Integer as the Format , as shown in Figure 3.15 a.
Lab Task
   1) Modify program sine8_buf.c to generate a sine wave with a frequency of 3000 Hz. Verify
      your result using an oscilloscope connected to the LINE OUT socket on the DSK as well
      as using Code Composer to plot the 32 most recently output samples in both the time and
      frequency domains.
   2) Write polling - based program such that when DIP switch #3 is pressed down, LED #3
      turns on and a 500 - Hz cosine wave is generated for 5 seconds.
   3) Write an interrupt - driven program that maintains a buffer containing the 128 most
      recent input samples read at a sampling frequency of 16 kHz from the AIC23 codec,
      using the MIC IN socket on the DSK. Halt the program and plot the buffer contents using
      Code Composer.
                                                                                           169
Lab Tasks:
             170
_
    171
172
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge
Objective:
To find the DFT of a sequence using FFT algorithm.
EQUIPMENTS:
Background:
The Fast Fourier Transform is useful to map the time-domain sequence into a continuous
function of a frequency variable. The FFT of a sequence {x(n)} of length N is given by a
Complex-valued sequence X (k).
                                     nk
            M                j 2
 X (k )   x(n) e                   n    ;0  k  N  1
            k 0
The above equation is the mathematical representation of the DFT. As the number of
computations involved in transforming a N point time domain signal into its corresponding
frequency domain signal was found to be N2 complex multiplications, an alternative algorithm
involving lesser number of computations is opted. When the sequence x(n) is divided into 2
sequences and the DFT performed separately, the resulting number of computations would be
N2/2. (i.e.)
              N2                              N2
              21                             21
    x(k )  x(2n) WN2nk   x(2n  1) WN( 2n1) k
              n0                             n0
Consider x(2n) be the even sample sequences and x(2n+1) be the odd sample sequence derived
form x(n).
    N2
    21
    x(2n)         WN2nk
    n0
                                                                                           174
                                                  N2
                                                  21
            N2        N2             N2
       =                             Com putations
           4 4                       2
                          N2
                          21
                                                                        N
                                                                       21                               k
        x(k ) 
                         x(2n) WN2nk  x(2n  1) WN( 2nk ) W      n0
                                                                                                          N
                          n0
             N                                                    N
            21                                            k     21
         x(2n) W N2nk  W                                      x(2n  1)               W N( 2 nk )
                                                           N
            n0                                                  n0
    Dividing the sequence x(2n) into further 2 odd and even sequences would reduce the
    computations.
 j 2
e n
                               j 2 
                                             nk
                                          
       W Nnk  e                    n     
                    N                                       N 
                K                                        K
                                                             
       W             2     WN W                           2 
           N                       N
                 j 2                    j 2 n
                         k
        e        n                        n      2
                                     e
                                                                                                              175
                       j 2
                               k
    W   k
         N        e     n
          N 
     K 
             
W   
     N    2
               W kN(1)
              N 
         K 
                 
    W   
         N    2 
                         W kN
   Employing this equation, we deduce
                  N2                          N
                  21                        21
    x(k )  x(2n) WN2nk  x(2n  1) WN( 2nk ) (13)
                  n0                        n0
                                N
                               21                      K              N
          N
    x(k  )                  x(2n)              W  x(2n  1) 21 W N
                                             2nk                          ( 2nk )
                                         W   N                                    (14)
          2                    n0                      N
    The time burden created by this large number of computations limits the usefulness of DFT
in many applications. Tremendous efforts devoted to develop more efficient ways of computing
DFT resulted in the above explained Fast Fourier Transform algorithm. This mathematical
shortcut reduces the number of calculations the DFT requires drastically. The above mentioned
radix-2 decimation in time FFT is employed for domain transformation.
Dividing the DFT into smaller DFTs is the basis of the FFT. A radix-2 FFT divides the DFT into
two smaller DFTs, each of which is divided into smaller DFTs and so on, resulting in a
combination of two-point DFTs. The Decimation -In-Time (DIT) FFT divides the input (time)
sequence into two groups, one of even samples and the other of odd samples. N/2 point DFT are
performed on the these sub-sequences and their outputs are combined to form the N point DFT.
                                                                                          176
The above shown mathematical representation forms the basis of N point FFT and is called the
Butterfly Structure.
Program:
fft256.c
#include <math.h>
#define PI 3.14159265358979
main()
                                                                                           177
{
samples[i].real=0.0;
samples[i].imag=0.0;
x1[i] = sqrt(samples[i].real*samples[i].real
+ samples[i].imag*samples[i].imag);
} //end of main
fft.c:
do
num_stages +=1;
i = i*2;
    }while (i!=N);
                                                                         179
leg_diff = N/2;                //difference between upper&lower legs
index = 0;
lower_leg = upper_leg+leg_diff;
(Y[lower_leg]).real = temp2.real*(w[index]).real
-temp2.imag*(w[index]).imag;
(Y[lower_leg]).imag = temp2.real*(w[index]).imag
+temp2.imag*(w[index]).real;
(Y[upper_leg]).real = temp1.real;
(Y[upper_leg]).imag = temp1.imag;
index += step;
leg_diff = leg_diff/2;
step *= 2;
                                                                       180
              j = 0;
k = N/2;
while (k <= j)
j = j - k;
k = k/2;
j = j + k;
if (i<j)
temp1.real = (Y[j]).real;
temp1.imag = (Y[j]).imag;
(Y[j]).real = (Y[i]).real;
(Y[j]).imag = (Y[i]).imag;
(Y[i]).real = temp1.real;
(Y[i]).imag = temp1.imag;
return;
Procedure:
           Open Code Composer Studio, make sure the DSP kit is turned on.
           Start a new project using ‘Project-new ‘ pull down menu, save it in a
                o separate directory(c:\ti\myprojects) with name “FFT.pjt”.
                                                                                       181
     Add the source files “fft256.c“ and “fft.C” in the project using
     ‘Projectadd files to project’ pull down menu.
     Load the program in program memory of DSP chip using the ‘File-load program’ pull
      down menu.
     Run the program and observe output using graph utility.
GRAPHS:
FFT INPUT
                                                                                          182
Graph Property                Graph
FFT OUTPUT
                                      183
Lab Tasks:
             184
_
    185
186
                                   Lab Assessment Rubric
                            Course: Digital Signals Processing Lab
                                     Lab Title:
                                                                  Limited
                                                                                         Shows incorrect
                 Thorough                  Good understanding     understanding of the
                                                                                         understanding of the
                 understanding of the      of the concepts,       concepts. Cannot
                                                                                         concept. Cannot find
Conclusions      concepts underlying       however cannot         apply to real life
                                                                                         any usage of the
                 the lab. Can apply it     apply them in real     situations and
                                                                                         knowledge. Cannot
                 in real life situations   life situations        suggest any use of
                                                                                         describe what was
                                                                  the knowledge