Complex Numbers in Electronics

Size: px
Start display at page:

Download "Complex Numbers in Electronics"

Transcription

1 P5 Computing, Extra Practice After Session 1 Complex Numbers in Electronics You would expect the square root of negative numbers, known as complex numbers, to be only of interest to pure mathematicians. However, complex numbers are very important in Engineering. Particularly in Electronics where they are used to calculate voltages and currents in electric circuits. In this session, you will be using MATLAB to explore why complex numbers are so important in Electronics. If you get lost or stuck, have a look at the program listings at the end of this document. The domestic electrical supply uses an alternating current (AC). AC signals are also used in radio and communications. First, let's plot what an alternating current looks like. Create a new MATLAB script called ACwave1.m. Plot the graph y1 = A cos(2π f t ) Where A = 4, f = 5 and the time t is a vector of 400 points between 0 and 2. Although the results we obtain will work for both sine and cosine waves, it will be easier to understand if we work with cosine waves. The amplitude of the wave A determines the height of the wave. The maximum height is A and the minimum height is -A. The function repeats after a time T = 0.2 seconds. This is called the periodic time. In mathematics, a periodic function is a function that has the following property. f (t ) = f (t+t ) Change the program so that the figure has two subplots, one above the other. Plot y1 in the top subplot, and in the bottom subplot plot :- y2 = A cos(2π f (t+t )) Where T = 0.2 Both graphs should look identical. The first T seconds is one cycle. The frequency f is the number of cycles in one second. If there are f cycles in one second then the periodic time is going to be one divided by f. T = 1 f Instead of setting T = 0.2, change the program so that T is calculated using the above equation. Frequency is measured in Hertz. 1 Hertz = 1Hz = 1 cycle a second. Try changing the amplitude and frequency of the wave. 1

2 Copy ACwave1.m to Acwave2.m. Then in Acwave2.m, return the frequency to 5 cycles per second and the amplitude back to 4. The Greek letter omega is used for the angular frequency. This is the number of radians per second. ω = 2 π f Of course we cannot use omega in a MATLAB program, so we will use w instead of omega. Rewrite the script so that it calculates the angular frequency and uses the following to calculate y1. y1 = A cos(ω t ) As you will find out, using ω instead of f in the calculations is easier. Change y2 to the following y2 = A cos(ω t +ϕ ) Where ϕ = π 2 You can not use ϕ, the greek letter phi, in MATLAB. Instead, call the variable phi. In the top subplot, plot y1 in blue and y2 with a red dash line. Both plots have the same basic shape. They are both called sinusoidal waves. The peaks do not line up. They are said to be out of phase. The variable ϕ is called the phase angle. It is a measure of how much y2 is out of phase with y1. Phase angle can be measured in either degrees or radians. If you plotted a sine wave, it would look identical to y2. The difference between a sine and cosine wave is that they have a different phase angle. They are out of phase by π 2. In the bottom subplot, plot y3 = y1 + y2 Run the program observe what the sum of the two waves looks like. Try changing the phase angle to π 2, π 3, π 4, π and π 3 When the phase angle is π just the very small error. the two waves cancel each other out. So the plot of y3 is In Electronics, out of phase waveforms get added together all the time. We need a way of calculating the amplitude and phase of the sum of the two waves. We cannot just add the amplitude of two waveforms if they are out of phase. We could use trigonometry to find the amplitude and phase, but it is a fairly long and tedious process. There is a much easier method using complex numbers. 2

3 Phasors Phasors are rotating vectors. They rotate in the complex plane. The formula for a phasor is z = Ƶ e j ω t I am using j for 1, The lower case z is a function of time. The upper case Ƶ is a constant that can be a complex number. Electronic engineers often use a Z with a stroke across it in written work to help distinguish Z and 2. It is used here to help see the difference between the upper and lower case z. To plot a phasor, we are going to use a compass plot. You can use compass plots in MATLAB to plot vectors. For example, enter the following to plot a vector to the point x=3, y=4. >> compass(3,4) Compass plots can also be used to plot complex numbers. >> z = 3 + 4j >> compass(z) The compass plot shows the absolute value and the angle of a complex number. Below, the magnitude is 2 and the angle is 30 o. >> z = 2*exp(j*pi/6); >> compass(z) 3

4 Create a new MATLAB script called Phasor1.m and enter the following MATLAB code. % Plot a phasor Z exp(jwt) % The number of points n = 18; %Time in seconds t = linspace(0,1,n); % seconds % The coefficient of the phasor Z = 2; % The frequency of the signal f = 1; % Cycles per second % The angular frequency w = 2*pi*f; %Calculate the phasor z = Z*exp(j*w*t); %Plot the graph compass(z); 4

5 The problem with this plot is that it does not show the true nature of a phasor. A phasor changes with time. It would be nice to see how it changes. Instead of plotting all the vectors at once, we could plot them one at a time, with a half a second pause between each. %Plot the graph compass(z(1)); pause(0.5); compass(z(2)); pause(0.5); compass(z(3)); ETC The above works, but is very tedious to enter. Especially as we are eventually going to use hundreds of points. Instead we are going to use a FOR loop. Replace the compass plot at the bottom of the script with the following. %Plot the graph for k = [1 2 3] compass(z(k)); pause(0.5); end Each line of code between FOR and END is repeated for each number in the vector [1 2 3]. The variable k is first set to 1 and the code in the loop is executed. Then it is executed again with k = 2, then again with k = 3. Now change the vector from [1 2 3] to 1:n so that all 18 vectors are plotted. You will find that the plot is a but jumpy. So increase the number of points n to 360. We also need to reduce the delay to speed things up. Reduce the pause to 0.01 seconds. You should now be able to see how a phasor behaves over time. 5

6 Now we will use MATLAB to plot the real part of the phasor. Above the FOR loop, set a variable x to be the real part of z. Split the figure into two subplots, one above the other. In the top subplot, plot(x,t) so that x is on the x axis and t on the y axis. We want it this way round so that the x is the x axis on both the graph and on the compass plot. This is a static plot for the time being. %The real part of phasor x = real(z); %plot the real part subplot(2,1,1) plot(x,t,'b'); axis square grid on hold on xlabel('value') ylabel('time') In the bottom subplot, plot the animation of the phasor. %Plot the graph for k = 1:n subplot(2,1,2) compass(z(k)); pause(.01); end You should now be able to see that the real part is a cosine wave. It would be nice to be able to see where the cosine wave has got to while the animation is running, so hold the cosine wave on the graph, and plot a red dot over the top of cosine wave in the for loop. for k = 1:n %plot the phasor subplot(2,1,2) compass(z(k)); %plot the real part subplot(2,1,1) plot(x(k),t(k),'r.'); end pause(.01); You should now be able to see the real part of the phasor being plotted as the phasor rotates around the origin. But why is it a cosine wave? 6

7 Euler s formula explains why the real part is a cosine wave. Euler s formula is e j θ = cos(θ )+ j sin(θ ) Which means z = Ƶ e j ω t = Ƶ(cos(ωt )+ j sin(ωt )) So if Ƶ = 2, the real part will be 2 cos(ω t) If you make the constant Ƶ complex, the real part is no longer a cosine wave. Set Ƶ to j and run the program again. This time we get a sine wave. That is because j (cos(ωt )+ j sin(ωt )) = sin(ωt ) j cos(ωt) Also notice that the phasor starts and stops at 270 O = 90 O = π /2 If you convert j into polar form, this is the angle of j. Remember that to describe a sinusoidal wave you need the amplitude and the phase. The amplitude and the phase can be expressed as a single complex number Ƶ. The amplitude of the wave is abs(ƶ) and the phase is angle(ƶ). z = Ƶ e j ω t z = Ae j ϕ e j ω t Where A = abs(ƶ) and ϕ = angle(ƶ) z = Ae j (ω t + ϕ) = A(cos(ωt + ϕ ) + j sin(ωt + ϕ )) real(z) = A cos(ω t + ϕ ) To see how this works, we want to change Ƶ to a number with a particular absolute value and angle. Lets say we want an absolute value of 4 and an angle of π/6. Change the program so that Z = 4*exp(j*pi/6); Notice that the phasor starts at 30 O, that is π/6 radians, the same as the angle of Z. That is because When t = 0 e j ωt = 1 and z = Ƶ The start angle of the phasor also determines the phase of the sinusoidal real part. The length of the arrow in the compass plot is 4 and this is the absolute value of Ƶ. This also determines the amplitude or the real part. The properties of Ƶ describe the features of the phasor. Be careful, sometimes Ƶ is referred to as the phasor. 7

8 Run the program with Z = 1 + j; In the command window, find the angle of Ƶ and convert it into degrees. This is the phase angle of the wave. Its amplitude is the absolute value of Ƶ. Adding Phasors Just like vectors, phasors can be combine mathematically to solve problems. You can add and subtract them. Ƶ 1 e j ω t + Ƶ 2 e j ω t = (Ƶ 1 + Ƶ 2 )e j ω t Let Ƶ 3 = Ƶ 1 + Ƶ 2 Ƶ 1 e j ω t + Ƶ 2 e j ω t = Ƶ 3 e j ωt real(ƶ 1 e j ωt ) + real( Ƶ 2 e j ω t ) = real(ƶ 3 e j ω t ) A 1 cos(ωt +ϕ 1 ) + A 2 cos(ω t +ϕ 2 ) = A 3 cos(ωt+ϕ 3 ) Where A i = Z i and ϕ i = angle(z i ) We can use this to find the amplitude and phase of the sum of two sinusoidal waves of different phase. To see how this works, copy ACwave2.m to ACwave3.m. At the end of the program ACwave3.m add the following. %Use phasors to find the amplitude and phase of the sum Z1 = A; %phasor coefficient for y1 Z2 = A*exp(j*phi); %phasor coefficient for y2 Z3 = Z1 + Z2; %phasor coefficient for the sum % The Amplitude of the sum of the waveforms A3 = abs(z3); % The phase angle of the sum of the waveforms phi3 = angle(z3); % Check that the answer is correct. y4 = A3*cos(w*t+phi3); %In the bottom subplot, plot y4 over y3 subplot(2,1,2) hold on %Plot the wave plot(t,y4,'r.'); You should see that y3 and y4 coincide. 8

9 Try running the program with different phase angles. If you wish, you can change the program so that y1 and y2 have different amplitudes. You could also try subtraction instead of addition. I hope that you now realize that the really easy way to add or subtract sinusoidal waves of different phase, is to just add or subtract the complex numbers that represent their amplitude and phase. The calculations in AC theory mostly use complex numbers. Differentiating Phasors You may be wondering what shifts the phase of a sinusoidal wave in the first place. The answer is differentiation. The electrical components, capacitors and inductors, differentiate electrical signals. When you differentiate a sinusoidal wave, the wave is shifted by 90 O. You can also differentiate phasors If z = Z e j ω t then dz dt = j ω Z e j ω t = j ω z d 2 z dt 2 d n z dt n = ( j ω)2 z = ω 2 z = ( j ω)n z 9

10 As an example, the following differential equation describes the circuit on the right. RC dy dt + y = x R When you know more about resistors and capacitors, the appendix on page 13 explains where this equation comes from. x C i y 0V Assuming that both x and y are sinusoidal, we can use phasors to find y. Let x = X e j ω t The input of the circuit with a known amplitude Let y = Y e j ω t The output. We want to find the amplitude of the output and its phase relative to the input signal. dy dt = j ω Y e j ω t By differentiating the above. We can substitute these equations into differential equation describing the circuit. RC dy dt + y = x RC ( j ω Y e j ω t ) + Y e j ω t = X e j ω t j ω RC Y + Y = X The differential equation is now an algebraic equation. Much easier to solve. Y = X 1 + j ω RC 10

11 Question 1 Suppose that X = 10 Volts f = 1 khz = 1000 Hz R = 16 kω = Ω C = 10 nf = F Write a script called SeriesRC1.m to find the amplitude and phase of y, using X Y = 1 + j ω RC Question 2 Copy SeriesRC1.m to SeriesRC2.m. Change the script to plot the Amplitude and Phase against Frequency. The frequencies should be logarithmically spaced between 1Hz and 1MHz. Hint Look at the documentation for logspace Plot Amplitude against Frequency using a loglog plot. Plot Phase against Frequency using a semilogx plot. 11

12 The Conjugate of a Phasor Although the story as presented so far all works, I am not totally happy with it. Can we really just ignore the imaginary part of a phasor? If you have the same misgivings, there is another way of looking at phasors that makes it much clearer why we can do this. There are many mathematical methods that use complex numbers to produce a totally real solution. That is because the solution consists of a complex number and its conjugate. Let's look at the conjugate of a phasor. Copy phasor1.m to phasor2.m. In phasor2, set zc to the conjugate of z. Change x so that it is the real part of zc instead of z. Change the compass plot, so that it plots zc instead of z. Notice that the conjugate of the phasor rotates clockwise while previously, the phasor itself rotated anticlockwise. The real part is the same as before. Electrical signals cannot be complex, but they can have complex components, provided that each complex component is accompanied by its conjugate. Real sinusoidal signals are the average of a phasor and its conjugate. Change phasor2 so that x = z + zc 2 Change the compass plot so the phasor z, its conjugate zc and their average x are shown on the same plot, as below. %plot the phasor subplot(2,1,2) compass(z(k),'b'); hold on compass(zc(k),'c'); compass(x(k),'r'); hold off The variable x is a completely real sinusoidal wave. Just as before, the variable Ƶ determines the amplitude and the phase of the wave. Try using different values of Ƶ. The differential equations of electronic systems are linear. Which basically means we can find a solution for each component separately and then add them together. An overly complicated way of solving a problem would be to find a solution for the phasor, then find a solution for the conjugate, then add the two solutions together. If you do this, you will find that each of of the solutions is the conjugate of the other. So the imaginary parts cancel out. This should not be a surprise as we know the solution must be real. The real parts are equal. So we only need to find the real part of the phasor solution to obtain a complete solution. 12

13 Appendix Finding the voltage across a capacitor in the circuit on the right. R From Ohms law. i R = v R R x C i y i = x y R 0V From the definition of capacitance. q = C v C q = C y i = dq dt = C dy dt Current is the rate of change of the charge. C dy dt = x y R RC dy dt + y = x 13

14 ACwave1.m Program Listings % Plot what an AC signal looks like % The number of points n = 400; %Time in seconds t = linspace(0,2,n); % seconds % The Amplitude of the signal A = 4; % The frequency of the signal f = 5; % Cycles per second %Calculate the AC wave y1 = A*cos(2*pi*f*t); %The period of the wave T = 1/f; %Calculate the AC wave shifted by one period y2 = A*cos(2*pi*f*(t+T)); %In the top subplot, plot y1 subplot(2,1,1) %Plot the wave plot(t,y1); %Add a grid grid on %Label the x axis xlabel('time in seconds') %In the bottom subplot, plot y2 subplot(2,1,2) %Plot the wave plot(t,y2); %Add a grid grid on %Label the x axis xlabel('time in seconds') 14

15 ACwave2.m % Plot what an AC signal looks like % The number of points n = 400; %Time in seconds t = linspace(0,2,n); % seconds % The Amplitude of the signal A = 4; % The frequency of the signal f = 5; % Cycles per second % phase angle phi = -pi/3; % The angular frequency w = 2*pi*f; %Calculate the AC wave y1 = A*cos(w*t); %Calculate the AC wave shifted phi y2 = A*cos(w*t + phi); %Add the two waves together y3 = y1 + y2; %In the top subplot, plot y1 and y2 subplot(2,1,1) %Plot the wave y1 in blue plot(t,y1,'b'); hold on %Plot the wave y2 as a red dash line plot(t,y2,'r--'); %Add a grid grid on %Label the x axis xlabel('time in seconds') pto 15

16 ACwave2.m cont %In the bottom subplot, plot y3 subplot(2,1,2) %Plot the wave plot(t,y3); %Add a grid grid on %Label the x axis xlabel('time in seconds') Phasor1.m version1 % Plot a phasor Z exp(jwt) % The number of points n = 18; %Time in seconds t = linspace(0,1,n); % seconds % The coefficient of the phasor Z = 2; % The frequency of the signal f = 1; % Cycles per second % The angular frequency w = 2*pi*f; %Calculate the phasor z = Z*exp(j*w*t); %Plot the graph compass(z); 16

17 Phasor1.m version 2, animated. % Plot a phasor Z exp(jwt) % The number of points n = 360; %Time in seconds t = linspace(0,1,n); % seconds % The coefficient of the phasor Z = 2; % The frequency of the signal f = 1; % Cycles per second % The angular frequency w = 2*pi*f; %Calculate the phasor z = Z*exp(j*w*t); %The real part of phasor x = real(z); %Plot the graph for k = 1:n compass(z(k)); pause(.01); end 17

18 Phasor1.m version 3, animated with real part. % Plot a phasor Z exp(jwt) % The number of points n = 360; %Time in seconds t = linspace(0,1,n); % seconds % The coefficient of the phasor Z = 1 + j; % The frequency of the signal f = 1; % Cycles per second % The angular frequency w = 2*pi*f; %Calculate the phasor z = Z*exp(j*w*t); %The real part of phasor x = real(z); %plot the real part subplot(2,1,1) plot(x,t,'b'); axis square grid on hold on xlabel('value') ylabel('time') for k = 1:n %plot the phasor subplot(2,1,2) compass(z(k)); %plot the real part subplot(2,1,1) plot(x(k),t(k),'r.'); end pause(.01); 18

19 ACwave3.m % Plot what an AC signal looks like % The number of points n = 400; %Time in seconds t = linspace(0,2,n); % seconds % The Amplitude of the signal A = 4; % The frequency of the signal f = 5; % Cycles per second % phase angle phi = -pi/3; % The angular frequency w = 2*pi*f; %Calculate the AC wave y1 = A*cos(w*t); %Calculate the AC wave shifted phi y2 = A*cos(w*t + phi); %Add the two waves together y3 = y1 + y2; %In the top subplot, plot y1 and y2 subplot(2,1,1) %Plot the wave y1 in blue plot(t,y1,'b'); hold on %Plot the wave y2 as a red dash line plot(t,y2,'r--'); pto 19

20 ACwave3.m cont %Add a grid grid on %Label the x axis xlabel('time in seconds') %In the bottom subplot, plot y3 subplot(2,1,2) %Plot the wave plot(t,y3); %Add a grid grid on %Label the x axis xlabel('time in seconds') %Use phasors to find the amplitude and phase of the sum Z1 = A; %phasor coefficient for y1 Z2 = A*exp(j*phi); %phasor coefficient for y2 Z3 = Z1 + Z2; %phasor coefficient for the sum % The Amplitude of the sum of the waveforms A3 = abs(z3); % The phase angle of the sum of the waveforms phi3 = angle(z3); % Check that the answer is correct. y4 = A3*cos(w*t+phi3); %In the bottom subplot, plot y4 over y3 subplot(2,1,2) hold on %Plot the wave plot(t,y4,'r.'); 20

21 SeriesRC1.m % Series RC circuit calculations X = 10; f = 1000; R = 16e3; C = 10e-9; w = 2*pi*f; % The voltage across the R and C % Hz The frequency of the wave % Ohms The value of the resistor % Farads The value of the capacitor % rads/s The angular frequency % Voltage across the capacitor Y = X./(1+j*w*R*C); A = abs(y); rads = angle(y); deg = rads*180/pi; % The amplitude of y % The phase in radians % The phase in degrees fprintf('the amplitude is %4.3f Volts \n',a); fprintf('the phase is %4.3f degrees\n',deg); 21

22 SeriesRC2.m % Series RC circuit plots X = 10; R = 16e3; C = 10e-9; % The voltage across the R and C % Ohms The value of the resistor % Farads The value of the capacitor n = 1000; f = logspace(1,6,n); % The number of points to plot % Hz The frequency of the wave w = 2*pi*f; % rads/s The angular frequency % Voltage across the capacitor Y = X./(1+j*w*R*C); A = abs(y); rads = angle(y); deg = rads*180/pi; % The amplitude of y % The phase in radians % The phase in degrees %Plot the amplitude against frequency subplot(2,1,1) loglog(f,a); xlabel('frequency') ylabel('amplitude') grid on %plot the phase against frequency subplot(2,1,2) semilogx(f,deg); xlabel('frequency') ylabel('phase degrees') grid on 22

23 Phasor2.m version 1, Plot the conjugate of the phasor % Plot a phasor Z exp(jwt) % The number of points n = 360; %Time in seconds t = linspace(0,1,n); % seconds % The coefficient of the phasor Z = 1 + j; % The frequency of the signal f = 1; % Cycles per second % The angular frequency w = 2*pi*f; %Calculate the phasor z = Z*exp(j*w*t); %The conjugate of z zc = conj(z); %The real part of phasor x = real(zc); %plot the real part subplot(2,1,1) plot(x,t,'b'); axis square grid on hold on xlabel('value') ylabel('time') for k = 1:n %plot the phasor subplot(2,1,2) compass(zc(k)); %plot the real part subplot(2,1,1) plot(x(k),t(k),'r.'); end pause(.01); 23

24 Phasor2.m version 2, Plot the phasor, conjugate and average % Plot a phasor Z exp(jwt) % The number of points n = 360; %Time in seconds t = linspace(0,1,n); % seconds % The coefficient of the phasor Z = 1+j; % The frequency of the signal f = 1; % Cycles per second % The angular frequency w = 2*pi*f; %Calculate the phasor z = Z*exp(j*w*t); %The conjugate of z zc = conj(z); %The real part of phasor x = (z+zc)/2; %plot the real part subplot(2,1,1) plot(x,t,'b'); axis square grid on hold on xlabel('value') ylabel('time') pto 24

25 Phasor2.m version 2, cont for k = 1:n %plot the phasor subplot(2,1,2) compass(z(k),'b'); hold on compass(zc(k),'c'); compass(x(k),'r'); hold off %plot the real part subplot(2,1,1) plot(x(k),t(k),'r.'); end pause(.01); 25

Circuit Analysis-II. Circuit Analysis-II Lecture # 2 Wednesday 28 th Mar, 18

Circuit Analysis-II. Circuit Analysis-II Lecture # 2 Wednesday 28 th Mar, 18 Circuit Analysis-II Angular Measurement Angular Measurement of a Sine Wave ü As we already know that a sinusoidal voltage can be produced by an ac generator. ü As the windings on the rotor of the ac generator

More information

THE SINUSOIDAL WAVEFORM

THE SINUSOIDAL WAVEFORM Chapter 11 THE SINUSOIDAL WAVEFORM The sinusoidal waveform or sine wave is the fundamental type of alternating current (ac) and alternating voltage. It is also referred to as a sinusoidal wave or, simply,

More information

Alternating voltages and currents

Alternating voltages and currents Alternating voltages and currents Introduction - Electricity is produced by generators at power stations and then distributed by a vast network of transmission lines (called the National Grid system) to

More information

Chapter 6: Alternating Current. An alternating current is an current that reverses its direction at regular intervals.

Chapter 6: Alternating Current. An alternating current is an current that reverses its direction at regular intervals. Chapter 6: Alternating Current An alternating current is an current that reverses its direction at regular intervals. Overview Alternating Current Phasor Diagram Sinusoidal Waveform A.C. Through a Resistor

More information

Bakiss Hiyana binti Abu Bakar JKE, POLISAS BHAB

Bakiss Hiyana binti Abu Bakar JKE, POLISAS BHAB 1 Bakiss Hiyana binti Abu Bakar JKE, POLISAS 1. Explain AC circuit concept and their analysis using AC circuit law. 2. Apply the knowledge of AC circuit in solving problem related to AC electrical circuit.

More information

EE42: Running Checklist of Electronics Terms Dick White

EE42: Running Checklist of Electronics Terms Dick White EE42: Running Checklist of Electronics Terms 14.02.05 Dick White Terms are listed roughly in order of their introduction. Most definitions can be found in your text. Terms2 TERM Charge, current, voltage,

More information

Worksheet for Exploration 31.1: Amplitude, Frequency and Phase Shift

Worksheet for Exploration 31.1: Amplitude, Frequency and Phase Shift Worksheet for Exploration 31.1: Amplitude, Frequency and Phase Shift We characterize the voltage (or current) in AC circuits in terms of the amplitude, frequency (period) and phase. The sinusoidal voltage

More information

Introduction to signals and systems

Introduction to signals and systems CHAPTER Introduction to signals and systems Welcome to Introduction to Signals and Systems. This text will focus on the properties of signals and systems, and the relationship between the inputs and outputs

More information

Chapter 33. Alternating Current Circuits

Chapter 33. Alternating Current Circuits Chapter 33 Alternating Current Circuits Alternating Current Circuits Electrical appliances in the house use alternating current (AC) circuits. If an AC source applies an alternating voltage to a series

More information

Lecture 3 Complex Exponential Signals

Lecture 3 Complex Exponential Signals Lecture 3 Complex Exponential Signals Fundamentals of Digital Signal Processing Spring, 2012 Wei-Ta Chu 2012/3/1 1 Review of Complex Numbers Using Euler s famous formula for the complex exponential The

More information

Chapter 6: Alternating Current

Chapter 6: Alternating Current hapter 6: Alternating urrent 6. Alternating urrent.o 6.. Define alternating current (A) An alternating current (A) is the electrical current which varies periodically with time in direction and magnitude.

More information

Lab 8 - INTRODUCTION TO AC CURRENTS AND VOLTAGES

Lab 8 - INTRODUCTION TO AC CURRENTS AND VOLTAGES 08-1 Name Date Partners ab 8 - INTRODUCTION TO AC CURRENTS AND VOTAGES OBJECTIVES To understand the meanings of amplitude, frequency, phase, reactance, and impedance in AC circuits. To observe the behavior

More information

Chapter 31 Alternating Current

Chapter 31 Alternating Current Chapter 31 Alternating Current In this chapter we will learn how resistors, inductors, and capacitors behave in circuits with sinusoidally vary voltages and currents. We will define the relationship between

More information

CHAPTER 9. Sinusoidal Steady-State Analysis

CHAPTER 9. Sinusoidal Steady-State Analysis CHAPTER 9 Sinusoidal Steady-State Analysis 9.1 The Sinusoidal Source A sinusoidal voltage source (independent or dependent) produces a voltage that varies sinusoidally with time. A sinusoidal current source

More information

POLYTECHNIC UNIVERSITY Electrical Engineering Department. EE SOPHOMORE LABORATORY Experiment 5 RC Circuits Frequency Response

POLYTECHNIC UNIVERSITY Electrical Engineering Department. EE SOPHOMORE LABORATORY Experiment 5 RC Circuits Frequency Response POLYTECHNIC UNIVERSITY Electrical Engineering Department EE SOPHOMORE LORTORY Eperiment 5 RC Circuits Frequency Response Modified for Physics 18, rooklyn College I. Overview of Eperiment In this eperiment

More information

Sinusoids and Phasors (Chapter 9 - Lecture #1) Dr. Shahrel A. Suandi Room 2.20, PPKEE

Sinusoids and Phasors (Chapter 9 - Lecture #1) Dr. Shahrel A. Suandi Room 2.20, PPKEE Sinusoids and Phasors (Chapter 9 - Lecture #1) Dr. Shahrel A. Suandi Room 2.20, PPKEE Email:shahrel@eng.usm.my 1 Outline of Chapter 9 Introduction Sinusoids Phasors Phasor Relationships for Circuit Elements

More information

Electronics and Instrumentation ENGR-4300 Spring 2004 Section Experiment 5 Introduction to AC Steady State

Electronics and Instrumentation ENGR-4300 Spring 2004 Section Experiment 5 Introduction to AC Steady State Experiment 5 Introduction to C Steady State Purpose: This experiment addresses combinations of resistors, capacitors and inductors driven by sinusoidal voltage sources. In addition to the usual simulation

More information

10. Introduction and Chapter Objectives

10. Introduction and Chapter Objectives Real Analog - Circuits Chapter 0: Steady-state Sinusoidal Analysis 0. Introduction and Chapter Objectives We will now study dynamic systems which are subjected to sinusoidal forcing functions. Previously,

More information

Basic Signals and Systems

Basic Signals and Systems Chapter 2 Basic Signals and Systems A large part of this chapter is taken from: C.S. Burrus, J.H. McClellan, A.V. Oppenheim, T.W. Parks, R.W. Schafer, and H. W. Schüssler: Computer-based exercises for

More information

Alternating current circuits- Series RLC circuits

Alternating current circuits- Series RLC circuits FISI30 Física Universitaria II Professor J.. ersosimo hapter 8 Alternating current circuits- Series circuits 8- Introduction A loop rotated in a magnetic field produces a sinusoidal voltage and current.

More information

Sinusoids. Lecture #2 Chapter 2. BME 310 Biomedical Computing - J.Schesser

Sinusoids. Lecture #2 Chapter 2. BME 310 Biomedical Computing - J.Schesser Sinusoids Lecture # Chapter BME 30 Biomedical Computing - 8 What Is this Course All About? To Gain an Appreciation of the Various Types of Signals and Systems To Analyze The Various Types of Systems To

More information

Digital Video and Audio Processing. Winter term 2002/ 2003 Computer-based exercises

Digital Video and Audio Processing. Winter term 2002/ 2003 Computer-based exercises Digital Video and Audio Processing Winter term 2002/ 2003 Computer-based exercises Rudolf Mester Institut für Angewandte Physik Johann Wolfgang Goethe-Universität Frankfurt am Main 6th November 2002 Chapter

More information

Real Analog Chapter 10: Steady-state Sinusoidal Analysis

Real Analog Chapter 10: Steady-state Sinusoidal Analysis 1300 Henley Court Pullman, WA 99163 509.334.6306 www.store. digilent.com Real Analog Chapter 10: Steadystate Sinusoidal Analysis 10 Introduction and Chapter Objectives We will now study dynamic systems

More information

Physics 132 Quiz # 23

Physics 132 Quiz # 23 Name (please (please print) print) Physics 132 Quiz # 23 I. I. The The current in in an an ac ac circuit is is represented by by a phasor.the value of of the the current at at some time time t t is is

More information

Sinusoids and Sinusoidal Correlation

Sinusoids and Sinusoidal Correlation Laboratory 3 May 24, 2002, Release v3.0 EECS 206 Laboratory 3 Sinusoids and Sinusoidal Correlation 3.1 Introduction Sinusoids are important signals. Part of their importance comes from their prevalence

More information

Phasor. Phasor Diagram of a Sinusoidal Waveform

Phasor. Phasor Diagram of a Sinusoidal Waveform Phasor A phasor is a vector that has an arrow head at one end which signifies partly the maximum value of the vector quantity ( V or I ) and partly the end of the vector that rotates. Generally, vectors

More information

L A B 3 : G E N E R A T I N G S I N U S O I D S

L A B 3 : G E N E R A T I N G S I N U S O I D S L A B 3 : G E N E R A T I N G S I N U S O I D S NAME: DATE OF EXPERIMENT: DATE REPORT SUBMITTED: 1/7 1 THEORY DIGITAL SIGNAL PROCESSING LABORATORY 1.1 GENERATION OF DISCRETE TIME SINUSOIDAL SIGNALS IN

More information

EXPERIMENT 4: RC, RL and RD CIRCUITs

EXPERIMENT 4: RC, RL and RD CIRCUITs EXPERIMENT 4: RC, RL and RD CIRCUITs Equipment List An assortment of resistor, one each of (330, 1k,1.5k, 10k,100k,1000k) Function Generator Oscilloscope 0.F Ceramic Capacitor 100H Inductor LED and 1N4001

More information

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

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

More information

MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question.

MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. Trigonometry Final Exam Study Guide Name MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. The graph of a polar equation is given. Select the polar

More information

STATION NUMBER: LAB SECTION: Filters. LAB 6: Filters ELECTRICAL ENGINEERING 43/100 INTRODUCTION TO MICROELECTRONIC CIRCUITS

STATION NUMBER: LAB SECTION: Filters. LAB 6: Filters ELECTRICAL ENGINEERING 43/100 INTRODUCTION TO MICROELECTRONIC CIRCUITS Lab 6: Filters YOUR EE43/100 NAME: Spring 2013 YOUR PARTNER S NAME: YOUR SID: YOUR PARTNER S SID: STATION NUMBER: LAB SECTION: Filters LAB 6: Filters Pre- Lab GSI Sign- Off: Pre- Lab: /40 Lab: /60 Total:

More information

Goals. Introduction. To understand the use of root mean square (rms) voltages and currents.

Goals. Introduction. To understand the use of root mean square (rms) voltages and currents. Lab 10. AC Circuits Goals To show that AC voltages cannot generally be added without accounting for their phase relationships. That is, one must account for how they vary in time with respect to one another.

More information

EECS40 RLC Lab guide

EECS40 RLC Lab guide EECS40 RLC Lab guide Introduction Second-Order Circuits Second order circuits have both inductor and capacitor components, which produce one or more resonant frequencies, ω0. In general, a differential

More information

Designing Information Devices and Systems II Spring 2019 A. Sahai, J. Roychowdhury, K. Pister Homework 2

Designing Information Devices and Systems II Spring 2019 A. Sahai, J. Roychowdhury, K. Pister Homework 2 EECS 16B Designing Information Devices and Systems II Spring 2019 A. Sahai, J. Roychowdhury, K. Pister Homework 2 This homework is due on Wednesday, February 13, 2019, at 11:59PM. Self-grades are due on

More information

v(t) = V p sin(2π ft +φ) = V p cos(2π ft +φ + π 2 )

v(t) = V p sin(2π ft +φ) = V p cos(2π ft +φ + π 2 ) 1 Let us revisit sine and cosine waves. A sine wave can be completely defined with three parameters Vp, the peak voltage (or amplitude), its frequency w in radians/second or f in cycles/second (Hz), and

More information

Experiment 9 AC Circuits

Experiment 9 AC Circuits Experiment 9 AC Circuits "Look for knowledge not in books but in things themselves." W. Gilbert (1540-1603) OBJECTIVES To study some circuit elements and a simple AC circuit. THEORY All useful circuits

More information

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

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

More information

DOING PHYSICS WITH MATLAB RESONANCE CIRCUITS SERIES RLC CIRCUITS

DOING PHYSICS WITH MATLAB RESONANCE CIRCUITS SERIES RLC CIRCUITS DOING PHYSICS WITH MATLAB RESONANCE CIRCUITS SERIES RLC CIRCUITS Matlab download directory Matlab scripts CRLCs1.m CRLCs2.m Graphical analysis of a series RLC resonance circuit Fitting a theoretical curve

More information

RLC Frequency Response

RLC Frequency Response 1. Introduction RLC Frequency Response The student will analyze the frequency response of an RLC circuit excited by a sinusoid. Amplitude and phase shift of circuit components will be analyzed at different

More information

PHYSICS - CLUTCH CH 29: ALTERNATING CURRENT.

PHYSICS - CLUTCH CH 29: ALTERNATING CURRENT. !! www.clutchprep.com CONCEPT: ALTERNATING VOLTAGES AND CURRENTS BEFORE, we only considered DIRECT CURRENTS, currents that only move in - NOW we consider ALTERNATING CURRENTS, currents that move in Alternating

More information

AC Fundamental. Simple Loop Generator: Whenever a conductor moves in a magnetic field, an emf is induced in it.

AC Fundamental. Simple Loop Generator: Whenever a conductor moves in a magnetic field, an emf is induced in it. AC Fundamental Simple Loop Generator: Whenever a conductor moves in a magnetic field, an emf is induced in it. Fig.: Simple Loop Generator The amount of EMF induced into a coil cutting the magnetic lines

More information

EXPERIMENT 4: RC, RL and RD CIRCUITs

EXPERIMENT 4: RC, RL and RD CIRCUITs EXPERIMENT 4: RC, RL and RD CIRCUITs Equipment List Resistor, one each of o 330 o 1k o 1.5k o 10k o 100k o 1000k 0.F Ceramic Capacitor 4700H Inductor LED and 1N4004 Diode. Introduction We have studied

More information

RLC-circuits TEP. f res. = 1 2 π L C.

RLC-circuits TEP. f res. = 1 2 π L C. RLC-circuits TEP Keywords Damped and forced oscillations, Kirchhoff s laws, series and parallel tuned circuit, resistance, capacitance, inductance, reactance, impedance, phase displacement, Q-factor, band-width

More information

1) Consider the circuit shown in figure below. Compute the output waveform for an input of 5kHz

1) Consider the circuit shown in figure below. Compute the output waveform for an input of 5kHz ) Consider the circuit shown in figure below. Compute the output waveform for an input of 5kHz Solution: a) Input is of constant amplitude of 2 V from 0 to 0. ms and 2 V from 0. ms to 0.2 ms. The output

More information

AC CURRENTS, VOLTAGES, FILTERS, and RESONANCE

AC CURRENTS, VOLTAGES, FILTERS, and RESONANCE July 22, 2008 AC Currents, Voltages, Filters, Resonance 1 Name Date Partners AC CURRENTS, VOLTAGES, FILTERS, and RESONANCE V(volts) t(s) OBJECTIVES To understand the meanings of amplitude, frequency, phase,

More information

ECE 2006 University of Minnesota Duluth Lab 11. AC Circuits

ECE 2006 University of Minnesota Duluth Lab 11. AC Circuits 1. Objective AC Circuits In this lab, the student will study sinusoidal voltages and currents in order to understand frequency, period, effective value, instantaneous power and average power. Also, the

More information

SINUSOIDS February 4, ELEC-281 Network Theory II Wentworth Institute of Technology. Bradford Powers Ryan Ferguson Richard Lupa Benjamin Wolf

SINUSOIDS February 4, ELEC-281 Network Theory II Wentworth Institute of Technology. Bradford Powers Ryan Ferguson Richard Lupa Benjamin Wolf SINUSOIDS February 4, 28 ELEC-281 Network Theory II Wentworth Institute of Technology Bradford Powers Ryan Ferguson Richard Lupa Benjamin Wolf Abstract: Sinusoidal waveforms are studied in three circuits:

More information

RC and RL Circuits. Figure 1: Capacitor charging circuit.

RC and RL Circuits. Figure 1: Capacitor charging circuit. RC and RL Circuits Page 1 RC and RL Circuits RC Circuits In this lab we study a simple circuit with a resistor and a capacitor from two points of view, one in time and the other in frequency. The viewpoint

More information

The Formula for Sinusoidal Signals

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

More information

MAE143A Signals & Systems - Homework 8, Winter 2013 due by the end of class Tuesday March 5, 2013.

MAE143A Signals & Systems - Homework 8, Winter 2013 due by the end of class Tuesday March 5, 2013. MAE43A Signals & Systems - Homework 8, Winter 3 due by the end of class uesday March 5, 3. Question Measuring frequency responses Before we begin to measure frequency responses, we need a little theory...

More information

2.0 AC CIRCUITS 2.1 AC VOLTAGE AND CURRENT CALCULATIONS. ECE 4501 Power Systems Laboratory Manual Rev OBJECTIVE

2.0 AC CIRCUITS 2.1 AC VOLTAGE AND CURRENT CALCULATIONS. ECE 4501 Power Systems Laboratory Manual Rev OBJECTIVE 2.0 AC CIRCUITS 2.1 AC VOLTAGE AND CURRENT CALCULATIONS 2.1.1 OBJECTIVE To study sinusoidal voltages and currents in order to understand frequency, period, effective value, instantaneous power and average

More information

Chapter 33. Alternating Current Circuits

Chapter 33. Alternating Current Circuits Chapter 33 Alternating Current Circuits C HAP T E O UTLI N E 33 1 AC Sources 33 2 esistors in an AC Circuit 33 3 Inductors in an AC Circuit 33 4 Capacitors in an AC Circuit 33 5 The L Series Circuit 33

More information

Physics 364, Fall 2014, reading due your answers to by 11pm on Sunday

Physics 364, Fall 2014, reading due your answers to by 11pm on Sunday Physics 364, Fall 204, reading due 202-09-07. Email your answers to ashmansk@hep.upenn.edu by pm on Sunday Course materials and schedule are at http://positron.hep.upenn.edu/p364 Assignment: (a) First

More information

Lab 3: AC Low pass filters (version 1.3)

Lab 3: AC Low pass filters (version 1.3) Lab 3: AC Low pass filters (version 1.3) WARNING: Use electrical test equipment with care! Always double-check connections before applying power. Look for short circuits, which can quickly destroy expensive

More information

Signal Processing First Lab 02: Introduction to Complex Exponentials Multipath. x(t) = A cos(ωt + φ) = Re{Ae jφ e jωt }

Signal Processing First Lab 02: Introduction to Complex Exponentials Multipath. x(t) = A cos(ωt + φ) = Re{Ae jφ e jωt } Signal Processing First Lab 02: Introduction to Complex Exponentials Multipath Pre-Lab and Warm-Up: You should read at least the Pre-Lab and Warm-up sections of this lab assignment and go over all exercises

More information

Exercise 9: inductor-resistor-capacitor (LRC) circuits

Exercise 9: inductor-resistor-capacitor (LRC) circuits Exercise 9: inductor-resistor-capacitor (LRC) circuits Purpose: to study the relationship of the phase and resonance on capacitor and inductor reactance in a circuit driven by an AC signal. Introduction

More information

Signal Processing First Lab 02: Introduction to Complex Exponentials Direction Finding. x(t) = A cos(ωt + φ) = Re{Ae jφ e jωt }

Signal Processing First Lab 02: Introduction to Complex Exponentials Direction Finding. x(t) = A cos(ωt + φ) = Re{Ae jφ e jωt } Signal Processing First Lab 02: Introduction to Complex Exponentials Direction Finding Pre-Lab and Warm-Up: You should read at least the Pre-Lab and Warm-up sections of this lab assignment and go over

More information

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

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

More information

Experiment Guide: RC/RLC Filters and LabVIEW

Experiment Guide: RC/RLC Filters and LabVIEW Description and ackground Experiment Guide: RC/RLC Filters and LabIEW In this lab you will (a) manipulate instruments manually to determine the input-output characteristics of an RC filter, and then (b)

More information

Goals. Introduction. To understand the use of root mean square (rms) voltages and currents.

Goals. Introduction. To understand the use of root mean square (rms) voltages and currents. Lab 10. AC Circuits Goals To show that AC voltages cannot generally be added without accounting for their phase relationships. That is, one must account for how they vary in time with respect to one another.

More information

How to Graph Trigonometric Functions

How to Graph Trigonometric Functions How to Graph Trigonometric Functions This handout includes instructions for graphing processes of basic, amplitude shifts, horizontal shifts, and vertical shifts of trigonometric functions. The Unit Circle

More information

Op-Amp Simulation Part II

Op-Amp Simulation Part II Op-Amp Simulation Part II EE/CS 5720/6720 This assignment continues the simulation and characterization of a simple operational amplifier. Turn in a copy of this assignment with answers in the appropriate

More information

AC Circuit Analysis. The Sine Wave CHAPTER 3. This chapter discusses basic concepts in the analysis of AC circuits.

AC Circuit Analysis. The Sine Wave CHAPTER 3. This chapter discusses basic concepts in the analysis of AC circuits. CHAPTER 3 AC Circuit Analysis This chapter discusses basic concepts in the analysis of AC circuits. The Sine Wave AC circuit analysis usually begins with the mathematical expression for a sine wave: v(t)

More information

AC Theory and Electronics

AC Theory and Electronics AC Theory and Electronics An Alternating Current (AC) or Voltage is one whose amplitude is not constant, but varies with time about some mean position (value). Some examples of AC variation are shown below:

More information

DC and AC Circuits. Objective. Theory. 1. Direct Current (DC) R-C Circuit

DC and AC Circuits. Objective. Theory. 1. Direct Current (DC) R-C Circuit [International Campus Lab] Objective Determine the behavior of resistors, capacitors, and inductors in DC and AC circuits. Theory ----------------------------- Reference -------------------------- Young

More information

Lab 2: Capacitors. Integrator and Differentiator Circuits

Lab 2: Capacitors. Integrator and Differentiator Circuits Lab 2: Capacitors Topics: Differentiator Integrator Low-Pass Filter High-Pass Filter Band-Pass Filter Integrator and Differentiator Circuits The simple RC circuits that you built in a previous section

More information

Lab 1: Basic RL and RC DC Circuits

Lab 1: Basic RL and RC DC Circuits Name- Surname: ID: Department: Lab 1: Basic RL and RC DC Circuits Objective In this exercise, the DC steady state response of simple RL and RC circuits is examined. The transient behavior of RC circuits

More information

Electromagnetic Oscillations and Currents. March 23, 2014 Chapter 30 1

Electromagnetic Oscillations and Currents. March 23, 2014 Chapter 30 1 Electromagnetic Oscillations and Currents March 23, 2014 Chapter 30 1 Driven LC Circuit! The voltage V can be thought of as the projection of the vertical axis of the phasor V m representing the time-varying

More information

1 Introduction and Overview

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

More information

CHAPTER 6: ALTERNATING CURRENT

CHAPTER 6: ALTERNATING CURRENT CHAPTER 6: ALTERNATING CURRENT PSPM II 2005/2006 NO. 12(C) 12. (c) An ac generator with rms voltage 240 V is connected to a RC circuit. The rms current in the circuit is 1.5 A and leads the voltage by

More information

Designing Information Devices and Systems II Fall 2018 Elad Alon and Miki Lustig Homework 4

Designing Information Devices and Systems II Fall 2018 Elad Alon and Miki Lustig Homework 4 EECS 6B Designing Information Devices and Systems II Fall 208 Elad Alon and Miki Lustig Homework 4 This homework is solely for your own practice. However, everything on it is in scope for midterm, and

More information

EE 233 Circuit Theory Lab 2: Amplifiers

EE 233 Circuit Theory Lab 2: Amplifiers EE 233 Circuit Theory Lab 2: Amplifiers Table of Contents 1 Introduction... 1 2 Precautions... 1 3 Prelab Exercises... 2 3.1 LM348N Op-amp Parameters... 2 3.2 Voltage Follower Circuit Analysis... 2 3.2.1

More information

Assignment 11. 1) Using the LM741 op-amp IC a circuit is designed as shown, then find the output waveform for an input of 5kHz

Assignment 11. 1) Using the LM741 op-amp IC a circuit is designed as shown, then find the output waveform for an input of 5kHz Assignment 11 1) Using the LM741 op-amp IC a circuit is designed as shown, then find the output waveform for an input of 5kHz Vo = 1 x R1Cf 0 Vin t dt, voltage output for the op amp integrator 0.1 m 1

More information

Introduction. Transients in RLC Circuits

Introduction. Transients in RLC Circuits Introduction In this experiment, we will study the behavior of simple electronic circuits whose response varies as a function of the driving frequency. One key feature of these circuits is that they exhibit

More information

Introduction to Mathematical Modeling of Signals and Systems

Introduction to Mathematical Modeling of Signals and Systems Introduction to Mathematical Modeling of Signals and Systems Mathematical Representation of Signals Signals represent or encode information In communications applications the information is almost always

More information

AC Circuits. Nikola Tesla

AC Circuits. Nikola Tesla AC Circuits Nikola Tesla 1856-1943 Mar 26, 2012 Alternating Current Circuits Electrical appliances in the house use alternating current (AC) circuits. If an AC source applies an alternating voltage of

More information

Chapter 30 Inductance, Electromagnetic. Copyright 2009 Pearson Education, Inc.

Chapter 30 Inductance, Electromagnetic. Copyright 2009 Pearson Education, Inc. Chapter 30 Inductance, Electromagnetic Oscillations, and AC Circuits 30-7 AC Circuits with AC Source Resistors, capacitors, and inductors have different phase relationships between current and voltage

More information

Electrical Theory. Power Principles and Phase Angle. PJM State & Member Training Dept. PJM /22/2018

Electrical Theory. Power Principles and Phase Angle. PJM State & Member Training Dept. PJM /22/2018 Electrical Theory Power Principles and Phase Angle PJM State & Member Training Dept. PJM 2018 Objectives At the end of this presentation the learner will be able to: Identify the characteristics of Sine

More information

Boise State University Department of Electrical and Computer Engineering ECE 212L Circuit Analysis and Design Lab

Boise State University Department of Electrical and Computer Engineering ECE 212L Circuit Analysis and Design Lab Objectives Boise State University Department of Electrical and Computer Engineering ECE L Circuit Analysis and Design Lab Experiment #0: Frequency esponse Measurements The objectives of this laboratory

More information

CHAPTER 2. Basic Concepts, Three-Phase Review, and Per Unit

CHAPTER 2. Basic Concepts, Three-Phase Review, and Per Unit CHAPTER 2 Basic Concepts, Three-Phase Review, and Per Unit 1 AC power versus DC power DC system: - Power delivered to the load does not fluctuate. - If the transmission line is long power is lost in the

More information

AC Circuits. "Look for knowledge not in books but in things themselves." W. Gilbert ( )

AC Circuits. Look for knowledge not in books but in things themselves. W. Gilbert ( ) AC Circuits "Look for knowledge not in books but in things themselves." W. Gilbert (1540-1603) OBJECTIVES To study some circuit elements and a simple AC circuit. THEORY All useful circuits use varying

More information

FREQUENCY RESPONSE AND PASSIVE FILTERS LABORATORY

FREQUENCY RESPONSE AND PASSIVE FILTERS LABORATORY FREQUENCY RESPONSE AND PASSIVE FILTERS LABORATORY In this experiment we will analytically determine and measure the frequency response of networks containing resistors, AC source/sources, and energy storage

More information

Lecture Week 7. Quiz 4 - KCL/KVL Capacitors RC Circuits and Phasor Analysis RC filters Workshop

Lecture Week 7. Quiz 4 - KCL/KVL Capacitors RC Circuits and Phasor Analysis RC filters Workshop Lecture Week 7 Quiz 4 - KCL/KVL Capacitors RC Circuits and Phasor Analysis RC filters Workshop Quiz 5 KCL/KVL Please clear desks and turn off phones and put them in back packs You need a pencil, straight

More information

Experiment VI: The LRC Circuit and Resonance

Experiment VI: The LRC Circuit and Resonance Experiment VI: The ircuit and esonance I. eferences Halliday, esnick and Krane, Physics, Vol., 4th Ed., hapters 38,39 Purcell, Electricity and Magnetism, hapter 7,8 II. Equipment Digital Oscilloscope Digital

More information

Chapter 11. Alternating Current

Chapter 11. Alternating Current Unit-2 ECE131 BEEE Chapter 11 Alternating Current Objectives After completing this chapter, you will be able to: Describe how an AC voltage is produced with an AC generator (alternator) Define alternation,

More information

AC Theory, Circuits, Generators & Motors

AC Theory, Circuits, Generators & Motors PDH-Pro.com AC Theory, Circuits, Generators & Motors Course Number: EE-02-306 PDH: 6 Approved for: AK, AL, AR, GA, IA, IL, IN, KS, KY, MD, ME, MI, MN, MO, MS, MT, NC, ND, NE, NH, NJ, NM, NV, OH, OK, OR,

More information

Simple Oscillators. OBJECTIVES To observe some general properties of oscillatory systems. To demonstrate the use of an RLC circuit as a filter.

Simple Oscillators. OBJECTIVES To observe some general properties of oscillatory systems. To demonstrate the use of an RLC circuit as a filter. Simple Oscillators Some day the program director will attain the intelligent skill of the engineers who erected his towers and built the marvel he now so ineptly uses. Lee De Forest (1873-1961) OBJETIVES

More information

AC phase. Resources and methods for learning about these subjects (list a few here, in preparation for your research):

AC phase. Resources and methods for learning about these subjects (list a few here, in preparation for your research): AC phase This worksheet and all related files are licensed under the Creative Commons Attribution License, version 1.0. To view a copy of this license, visit http://creativecommons.org/licenses/by/1.0/,

More information

1 Introduction and Overview

1 Introduction and Overview GEORGIA INSTITUTE OF TECHNOLOGY SCHOOL of ELECTRICAL and COMPUTER ENGINEERING ECE 2026 Summer 2018 Lab #2: Using Complex Exponentials Date: 31 May. 2018 Pre-Lab: You should read the Pre-Lab section of

More information

Basic Electronics Learning by doing Prof. T.S. Natarajan Department of Physics Indian Institute of Technology, Madras

Basic Electronics Learning by doing Prof. T.S. Natarajan Department of Physics Indian Institute of Technology, Madras Basic Electronics Learning by doing Prof. T.S. Natarajan Department of Physics Indian Institute of Technology, Madras Lecture 26 Mathematical operations Hello everybody! In our series of lectures on basic

More information

AC Circuits INTRODUCTION DISCUSSION OF PRINCIPLES. Resistance in an AC Circuit

AC Circuits INTRODUCTION DISCUSSION OF PRINCIPLES. Resistance in an AC Circuit AC Circuits INTRODUCTION The study of alternating current 1 (AC) in physics is very important as it has practical applications in our daily lives. As the name implies, the current and voltage change directions

More information

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

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

More information

Impedance and Electrical Models

Impedance and Electrical Models C HAPTER 3 Impedance and Electrical Models In high-speed digital systems, where signal integrity plays a significant role, we often refer to signals as either changing voltages or a changing currents.

More information

EECS 216 Winter 2008 Lab 2: FM Detector Part I: Intro & Pre-lab Assignment

EECS 216 Winter 2008 Lab 2: FM Detector Part I: Intro & Pre-lab Assignment EECS 216 Winter 2008 Lab 2: Part I: Intro & Pre-lab Assignment c Kim Winick 2008 1 Introduction In the first few weeks of EECS 216, you learned how to determine the response of an LTI system by convolving

More information

Simple AC Circuits. Introduction

Simple AC Circuits. Introduction Simple AC Circuits Introduction Each problem in this problem set involves the steady state response of a linear, time-invariant circuit to a single sinusoidal input. Such a response is known to be sinusoidal

More information

The diodes keep the output waveform from getting too large.

The diodes keep the output waveform from getting too large. Wien Bridge Oscillat CIRCUIT: The Wien bridge oscillat, see Fig., consists of two voltage dividers. It oscillates (approximately) sinusoidally at the frequency that produces the same voltage out of both

More information

CH 1. Large coil. Small coil. red. Function generator GND CH 2. black GND

CH 1. Large coil. Small coil. red. Function generator GND CH 2. black GND Experiment 6 Electromagnetic Induction "Concepts without factual content are empty; sense data without concepts are blind... The understanding cannot see. The senses cannot think. By their union only can

More information

CSC475 Music Information Retrieval

CSC475 Music Information Retrieval CSC475 Music Information Retrieval Sinusoids and DSP notation George Tzanetakis University of Victoria 2014 G. Tzanetakis 1 / 38 Table of Contents I 1 Time and Frequency 2 Sinusoids and Phasors G. Tzanetakis

More information

Project 2 - Speech Detection with FIR Filters

Project 2 - Speech Detection with FIR Filters Project 2 - Speech Detection with FIR Filters ECE505, Fall 2015 EECS, University of Tennessee (Due 10/30) 1 Objective The project introduces a practical application where sinusoidal signals are used to

More information

Figure 1: Closed Loop System

Figure 1: Closed Loop System SIGNAL GENERATORS 3. Introduction Signal sources have a variety of applications including checking stage gain, frequency response, and alignment in receivers and in a wide range of other electronics equipment.

More information