answersLogoWhite

0


Best Answer

PROGRAM :-

/* Runge Kutta for a set of first order differential equations */

#include

#include

#define N 2 /* number of first order equations */

#define dist 0.1 /* stepsize in t*/

#define MAX 30.0 /* max for t */

FILE *output; /* internal filename */

void runge4(double x, double y[], double step); /* Runge-Kutta function */

double f(double x, double y[], int i); /* function for derivatives */

void main()

{

double t, y[N];

int j;

output=fopen("osc.dat", "w"); /* external filename */

y[0]=1.0; /* initial position */

y[1]=0.0; /* initial velocity */

fprintf(output, "0\t%f\n", y[0]);

for (j=1; j*dist<=MAX ;j++) /* time loop */

{

t=j*dist;

runge4(t, y, dist);

fprintf(output, "%f\t%f\n", t, y[0]);

}

fclose(output);

}

void runge4(double x, double y[], double step)

{

double h=step/2.0, /* the midpoint */

t1[N], t2[N], t3[N], /* temporary storage arrays */

k1[N], k2[N], k3[N],k4[N]; /* for Runge-Kutta */

int i;

for (i=0;i

{

t1[i]=y[i]+0.5*(k1[i]=step*f(x,y,i));

}

for (i=0;i

{

t2[i]=y[i]+0.5*(k2[i]=step*f(x+h, t1, i));

}

for (i=0;i

{

t3[i]=y[i]+ (k3[i]=step*f(x+h, t2, i));

}

for (i=0;i

{

k4[i]= step*f(x+step, t3, i);

}

for (i=0;i

{

y[i]+=(k1[i]+2*k2[i]+2*k3[i]+k4[i])/6.0;

}

}

double f(double x, double y[], int i)

{

if (i==0)

x=y[1]; /* derivative of first equation */

if (i==1)

x= -0.2*y[1]-y[0]; /* derivative of second equation */

return x;

}

User Avatar

Wiki User

13y ago
This answer is:
User Avatar
More answers
User Avatar

Wiki User

13y ago

/* Runge Kutta for a set of first order differential equations */

#include <stdio.h>

#include <math.h>

#define N 2 /* number of first order equations */

#define dist 0.1 /* stepsize in t*/

#define MAX 30.0 /* max for t */

FILE *output; /* internal filename */

main()

{

double t, y[N];

int j;

void runge4(double x, double y[], double step); /* Runge-Kutta function */

double f(double x, double y[], int i); /* function for derivatives */

output=fopen("osc.dat", "w"); /* external filename */

y[0]=1.0; /* initial position */

y[1]=0.0; /* initial velocity */

fprintf(output, "0\t%f\n", y[0]);

for (j=1; j*dist<=MAX ;j++) /* time loop */

{

t=j*dist;

runge4(t, y, dist);

fprintf(output, "%f\t%f\n", t, y[0]);

}

fclose(output);

}

void runge4(double x, double y[], double step)

{

double h=step/2.0, /* the midpoint */

t1[N], t2[N], t3[N], /* temporary storage arrays */

k1[N], k2[N], k3[N],k4[N]; /* for Runge-Kutta */

int i;

for (i=0;i<N;i++) t1[i]=y[i]+0.5*(k1[i]=step*f(x, y, i));

for (i=0;i<N;i++) t2[i]=y[i]+0.5*(k2[i]=step*f(x+h, t1, i));

for (i=0;i<N;i++) t3[i]=y[i]+ (k3[i]=step*f(x+h, t2, i));

for (i=0;i<N;i++) k4[i]= step*f(x+step, t3, i);

for (i=0;i<N;i++) y[i]+=(k1[i]+2*k2[i]+2*k3[i]+k4[i])/6.0;

}

double f(double x, double y[], int i)

{

if (i==0) return(y[1]); /* derivative of first equation */

if (i==1) return(-0.2*y[1]-y[0]); /* derivative of second equation */

}

This answer is:
User Avatar

User Avatar

Wiki User

11y ago

public class RungeKutta { public static final int STEPS = 100; public static double deriv(double x, double y) { return x * Math.sqrt(1 + y*y); } public static void main(String[] args) { // `h' is the size of each step. double h = 1.0 / STEPS; double k1, k2, k3, k4; double x, y; int i; y = 0; for (i=0; i<STEPS; i++) { x = i * h; y += h * deriv(x, y); } System.out.println("Using the Euler method " + "The value at x=1 is:"); System.out.println(y); y = 0; for (i=0; i<STEPS; i++) { x = i * h; k1 = h * deriv(x, y); k2 = h * deriv(x + h/2, y + k1/2); k3 = h * deriv(x + h/2, y + k2/2); k4 = h * deriv(x + h, y + k3); y += k1/6 + k2/3+ k3/3 + k4/6; } System.out.println(); System.out.println("Using 4th order Runge-Kutta " + "The value at x=1 is:"); System.out.println(y); System.out.println(); System.out.println("The value really is:"); y = (Math.exp(0.5) - Math.exp(-0.5)) / 2; System.out.println(y); } }

This answer is:
User Avatar

User Avatar

Wiki User

14y ago

using c language to implement Runge-Kutta method in numerical analysis

This answer is:
User Avatar

Add your answer:

Earn +20 pts
Q: C program to solve equation in runge kutta method?
Write your answer...
Submit
Still have questions?
magnify glass
imp
Continue Learning about Engineering

What are the function of flowcharts?

Flowchart and FunctionsThe source code is based on the MATLAB function simulate.m. The input arguments to simulate.m include the desired parameter values characterizing the human cardiovascular model and its execution, while the outputs are the simulated data - all pressures (), volumes (), flow rates ( ), ventricular elastances , adjustable parameters (), cardiac function/venous return curves (), and ventricular contraction times (). This function may also write the simulated data to file (with a desired prefix file name also provided as an input argument) and display the data as they are being calculated. The function is responsible for executing the models described in Section 2 as well as in Appendix A. However, the flowchart of Figure 7 depicts how the function simulates the data from the desired parameter values characterizing only the models of Section 2. The pertinent details of each block of the flowchart are provided below. Figure 7: Flowchart of the MATLAB function simulate.m.Declaring and Initializing Variables (t=0). With the desired parameter values provided as function input arguments, all variables of the simulation are declared and initialized. Memory is pre-allocated for all of the data to be simulated over their entire integration period in order to increase execution speed with the MATLAB compiler. The respiratory-related waveforms are pre-computed over the entire integration period.Numerical Integration for Calculating . The pressures of the desired model of the pulsatile heart and circulation are calculated at the current time step () from the pressures at the previous time step () by fourth-order Runge-Kutta integration of the set of ordinary differential equations governing the model. must be set to 0.005 s for reasonable accuracy.Adjusting Parameters by Regulation/Perturbations.Parameters of the pulsatile heart and circulation are adjusted by the short-term regulatory system and resting physiologic perturbations models. Because of the relatively narrow bandwidths of these models, the parameter adjustments are calculated at a sampling period of 0.0625 s. First, the requisite waveforms originally computed at a sampling period of are decimated to a sampling period of 0.0625 s by averaging over the past 0.25 s every 0.0625 s. Then, the mandated parameter adjustments are computed at a sampling period of 0.0625 s. Finally, the mandated parameter adjustments are converted to a sampling period of via linear interpolation (with the exception of the adjustments to which do not take effect until the initiation of the next ventricular contraction) in order to compute the subsequent waveforms.Establishing qrs via``Integrate and Fire.'' The mandated changes to are mapped to the times of onset of ventricular contraction by integrating (in units of bps) over time until the integral is equal to one. Then, systole is initiated by resetting the variable, ventricular elastance model, the integral is set to zero, and the integration is repeated.Heart-Lung Unit or Systemic Circulation? Varying , , and Averaging , . Cardiac function or venous return curves are generated, if desired. Following every fifth beat, and are varied in steps for generation of cardiac function curves, and is varied for simulation of venous return curves. Time-averaged and and (for cardiac function curves) are recorded over the beat preceding the step variation.Calculating and Storing and . The blood volumes of each compartment of the desired model of the pulsatile heart and circulation are computed at the current time step from the pressures at the current time step, and the values of the ventricular elastances and adjustable parameters at the current time step are stored into their pre-allocated memory slots.Intact Circulation? Correcting by Adjusting . Total blood volume of the intact pulsatile heart and circulation at the current time step ( ), which may vary due to integration error, is conserved. The difference between the computed and its assigned value is added/removed from and is altered accordingly.Parameter Updates? Conserving and Documenting Updates.The parameter values of a simulation may be updated after the initiation of each ventricular contraction by pausing the simulation, updating the parameter values, and resuming the simulation. The newly chosen parameter values are documented to file if they are relevant to the current simulation, and the blood volumes in each compartment at the current time step are conserved by adjusting the pressures at the current time step (if necessary). Adjustments to the respiratory-related waveforms are implemented for the remainder of the integration period.Calculating . The flow rates of the pulsatile heart and circulation models are calculated at the current time step from the pressures at the current time step.On-Line Viewing? Writing Waveforms to MIT Format Files Displaying Waveforms. When viewing simulated data as they are being calculated, the waveforms are periodically written to file in MIT format (with a desired period). The newly written data are then immediately displayed with WAVE.The flow of each of the blocks is then repeated starting at Numerical Integration for Calculating with . In order to execute the blocks in the flowchart, simulate.m calls upon many MATLAB and C functions, each of which are briefly described below.intact_init_cond.m computes the initial pressures, volumes, and flow rates of the intact pulsatile heart and circulation model from the desired parameter values. The initial values are determined from the solution of a linear system of equations which are derived from the application of steady-state conservation laws to a linearized version of the model.hlu_init_cond.m computes the initial pressures, volumes, and flow rates of the heart-lung unit preparation model from the desired parameter values. The initial values are determined from the solution of a linear system of equations which are derived from the application of steady-state conservation laws to a linearized version of the model.sc_init_cond.m computes the initial pressures, volumes, and flow rates of the systemic circulation preparation model from the desired parameter values. The initial values are determined from the solution of a linear system of equations which are derived from the application of steady-state conservation laws to a linearized version of the model.rk4.m computes the pressures of the pulsatile heart and circulation (any preparation) at the current time step from the pressures of the previous time step, the current values of the parameters, respiratory-related waveforms, and time surpassed in the current cardiac cycle according to fourth-order Runge-Kutta integration.intact_eval_deriv.m is called only by rk4.m and computes the derivative of the intact pulsatile heart and circulation pressure values at a desired time step which is necessary for the fourth-order Runge-Kutta integration.hlu_eval_deriv.m is called only by rk4.m and computes the derivative of the heart-lung unit preparation pressure values at a desired time step which is necessary for the fourth-order Runge-Kutta integration.sc_eval_deriv.m is called only by rk4.m and computes the derivative of the systemic circulation preparation pressure values at a desired time step which is necessary for the fourth-order Runge-Kutta integration.var_cap.m is also called by intact_eval_deriv.m, hlu_eval_deriv.m, and sc_eval_deriv.m and computes a ventricular elastance value as well as its derivative at a desired time step from the current values of , , the previous cardiac cycle length, and the time surpassed in the current cardiac cycle.vent_vol.m is also called by intact_eval_deriv.m, hlu_eval_deriv.m, and sc_eval_deriv.m and computes the current ventricular blood volume from the current ventricular pressure according to Newton's search method with an initial guess given by the previous ventricular blood volume.rand_int_breath.m computes the time until the next respiratory cycle commences based on the outcome of an independent probability experiment.resp_act.m computes the respiratory-related waveforms (, , , and ) over the entire integration period from the parameter values and the times of commencement of each respiratory cycle.ilv_dec.m decimates to a sampling period equal to 0.0625 s. This decimated waveform is convolved with the filter created by dncm_filt.m (see below) in order to establish the changes in mandated by the direct neural coupling mechanism.dncm_filt.m generates a filter which characterizes the direct neural coupling mechanism between and .bl_filt.m generates a lowpass filter with a narrow transition band (truncated sinc function of unit-area) and desired cutoff frequency which is utilized to bandlimit the exogenous disturbance to .oneoverf_filt.m generates a filter with a 1/fmagnitude-squared frequency response over a desired frequency range (in decades) and at a desired sampling period (see below).ans_filt.m creates a filter which is a linear combination of and . This filter is convolved with the filter generated by oneoverf_filt.m and then white noise in order to create the exogenous disturbance to .abreflex.m computes the parameter adjustments mandated by the arterial baroreflex system based on the current setpoint and static gain values.cpreflex.m computes the parameter adjustments mandated by the cardiopulmonary baroreflex system based on the current setpoint and static gain values.param_change.m determines whether the parameter updates are relevant to the status of the current simulation based on the current parameter values, the previous parameter values, and the status parameters (see Section 5.2).conserve_vol.m computes the pressures at the current time step necessary to conserve the blood volume in each compartment at the current time step when parameter values are updated.read_param.m reads a file which contains the parameters values of the cardiovascular model and its execution in a specific format and stores the values in a MATLAB vector.read_key.c reads the standard input, pauses the simulation if a ``p'' is entered followed by RETURN, and resumes the simulation if a ``r'' is entered followed by RETURN.write_param.c copies the parameter file to a new file of the same name but with the extension .num. This function is implemented when the parameter update occurs. The extension is set equal to the number of parameter updates that have been made during the simulation period.wave_remote.c plots the desired simulated waveforms and annotations with the WAVE display system. This function is called when the simulated data are written to file in MIT format and plots the most recent desired window of written data.The function simulate.m is called by a wrapper function rcvsim.m for execution at the Linux prompt. This wrapper function takes two command line arguments: 1) the name of a file containing the desired parameter values and 2) the prefix name of the output files to be generated in MIT format. The function rcvsim.m, which also includes a help option, reads in the parameter file with read_param.m (see above), creates a header file in MIT format, executes simulate.m, writes the simulated data to MIT format files if the on-line viewing option is not chosen, and displays cardiac function and venous return curves, if desired, with the function plot_cfvr.c (which employs Gnuplot). In order to execute rcvsim.m, the function must be compiled with the filemake.m which creates the binary file rcvsim. The function simulate.m may also be compiled independently of rcvsim.m with the file makem.m which creates the binary file simulate.mexlx (in the Linux environment). Each of these make files greatly improve execution speed specifically through mcc (MATLAB compiler) optimization arguments r (real numbers only) and i(no dynamic memory allocation). Note that simulate.m may only be executed in the MATLAB environment without on-line viewing and parameter updating capabilities.


Sathyabama university first year BE syllabus?

Sathyabama University (Established under section (3) of UGC Act, 1956) Jeppiaar Nagar, Chennai 600 119. DEPARTMENT OF ELECTRONICS AND TELECOMMUNICATION ENGINEERING B.E Curriculum BATCH (2006-2010) SEMESTER I No Subject Code Subject Name *Periods/Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0001 English 4 1 0 20 80 100 35 50 3 2 6C0002 Engineering Mathematics-I 4 1 0 20 80 100 35 50 3 3 6C0003 Applied Physics-I 4 1 0 20 80 100 35 50 3 4 6C0072 Engineering Chemistry 4 1 0 20 80 100 35 50 3 5 6C0007 Programming in C 4 1 0 20 80 100 35 50 3 6 6C0008 Basic civil and Basic Mechanical Engineering 4 1 0 20 80 100 35 50 3 7 6C0009 Basic Electrical Engineering 4 1 0 20 80 100 35 50 3 PRACTICALS 8 6CL001 Physics Lab-I 3 -- 100 100 50 50 3 9 6CL002 Chemistry Lab-I 3 -- 100 100 50 50 3 10 6CL003 C Programming Lab 3 -- 100 100 50 50 3 SEMESTER II No Subject Code Subject Name *Periods/Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0012 Environmental Engineering 4 1 0 20 80 100 35 50 3 2 6C0016 Engineering Mathematics-II 4 1 0 20 80 100 35 50 3 3 6C0017 Physics of Electronics &amp; Materials 4 1 0 20 80 100 35 50 3 4 6C0073 Chemistry of Engineering Materials 4 1 0 20 80 100 35 50 3 5 6C0005 Engineering Graphics 4 1 0 20 80 100 35 50 3 6 6C0022 Electrical Technology 4 1 0 20 80 100 35 50 3 7 6C0023 Electronic Devices 4 1 0 20 80 100 35 50 3 PRACTICALS 8 6CL010 Electrical Engineering Lab 3 -- 100 100 50 50 3 9 6CL011 Electronics devices Lab 3 1. -- 100 100 50 50 3 SEMESTER III No Subject Code Subject Name *Periods/Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0032 Engineering Mathematics III 4 1 0 20 80 100 35 50 3 2 6C0026 Circuit Theory 4 1 0 20 80 100 35 50 3 3 6C0035 Electronic Circuits-I 4 1 0 20 80 100 35 50 3 4 6C0036 Engineering Electromagnetics 4 1 0 20 80 100 35 50 3 5 6C0037 Object oriented Programming 4 1 0 20 80 100 35 50 3 6 6C0038 Digital Systems 4 1 0 20 80 100 35 50 3 7 6C0053 Networks analysis and synthesis 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625350 Digital Lab 3 -- 50 50 25 25 2 9 625351 Circuits &amp; Networks Lab -- 50 50 25 25 2 10 625352 Electronic circuits-I Lab 3 -- 50 50 25 25 2 11 625353 Pspice Lab -- 50 50 25 25 2 SEMESTER IV No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0054 Engineering Mathematics IV 4 1 0 20 80 100 35 50 3 2 6C0096 Measurements &amp; Instrumentation 4 1 0 20 80 100 35 50 3 3 625401 Advanced Object oriented Programming 4 1 0 20 80 100 35 50 3 4 6C0056 Electronic Circuits -II 4 1 0 20 80 100 35 50 3 5 625402 Principles of Digital signal processing 4 1 0 20 80 100 35 50 3 6 6C0039 Analog Communication 4 1 0 20 80 100 35 50 3 7 6C0059 Transmission lines and waveguides 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625450 Object oriented Programming Lab 3 -- 100 100 50 50 3 9 625451 Electronics Circuits II Lab 3 -- 50 50 25 25 2 10 625452 Digital signal Processing Lab -- 50 50 25 25 2 L = Lecture, T = Tutorial / Seminar, P = Practical / Project SEMESTER V No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0079 Applied Numerical Methods 4 1 0 20 80 100 35 50 3 2 6C0080 Analog Integrated Circuits 4 1 0 20 80 100 35 50 3 3 6C0055 Control system 4 1 0 20 80 100 35 50 3 4 6C0086 Microprocessors, Interfacing &amp; Applications 4 1 0 20 80 100 35 50 3 5 625501 Advanced Digital Signal Processing 4 1 0 20 80 100 35 50 3 6 6C0098 Digital Communication 4 1 0 20 80 100 35 50 3 7 6C0097 Antennas &amp; Propagation 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625550 Advanced Digital Signal Processing Lab 3 -- 50 50 25 25 2 9 625551 Linear Integrated Circuits Lab -- 50 50 25 25 2 10 625552 Microprocessors Lab 3 -- 50 50 25 25 2 11 625553 Communication I Lab -- 50 50 25 25 2 SEMESTER VI No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0091 Principles of Management and Professional Ethics 5 0 0 20 80 100 35 50 3 2 625601 Microcontrollers 4 1 0 20 80 100 35 50 3 3 6C0099 Microwave Engineering 4 1 0 20 80 100 35 50 3 4 625602 VLSI Circuits and Systems 4 1 0 20 80 100 35 50 3 5 625603 Data Communication Networks 4 1 0 20 80 100 35 50 3 6 Elective I 4 1 0 20 80 100 35 50 3 7 Elective II 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625652 VLSI Programming Lab 3 -- 100 100 50 50 3 9 625650 Microwave Lab 3 -- 50 50 25 25 2 10 625651 Microcontroller Lab -- 50 50 25 25 2 SEMESTER VII No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 625701 Optical Fiber Communication 4 1 0 20 80 100 35 50 3 2 625702 Spread Spectrum Techniques 4 1 0 20 80 100 35 50 3 3 625703 Cryptography 4 1 0 20 80 100 35 50 3 4 625704 Digital image processing 4 1 0 20 80 100 35 50 3 5 625705 Telecommunication Switching systems 4 1 0 20 80 100 35 50 3 6 Elective III 4 1 0 20 80 100 35 50 3 7 Elective IV 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625750 Optical communication Lab 3 -- 100 100 50 50 3 9 625751 Networking Lab 3 -- 100 100 50 50 3 SEMESTER VIII No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 625801 Project work and Comprehensive Viva -- -- -- 100 300 400 150 150 - &bull; L = Lecture, T = Tutorial / Seminar, P = Practical / Project LIST OF ELECIVE SUBJECTS 6ET E01 Satellite communication 6ET E02 Mobile Communication 6ET E03 Internet &amp; Intranet 6ET E04 Radar &amp; Navigational Aids 6ET E05 High Performance Communication Network 6ET E06 Soft computing 6C0089 Biomedical Instrumentation (Core subject for EIE,EEE,E&amp;C) (Elective for ETCE &amp; ECE) 6ET E07 Television Engineering 6ET E08 Electromagnetic Interference and compatibility 6ET E09 Low power VLSI 6EC E02 Artificial Intelligence &amp; Expert Systems 6IC E03 Robotics and Automation 6ET E10 VLSI Signal Processing 6ET E11 Embedded Systems 6IC E02 Mechatronics 6EC E03 Programming in Matlab List of Page Numbers SEMESTER I SI. No Subject Code Subject Name Page Number 1 6C0001 English 10 2 6C0002 Engineering Mathematics-I 12 3 6C0003 Applied Physics-I 13 5 6C0072 Engineering Chemistry 14 6 6C0007 Programming in C 16 7 6C0008 Basic civil and Basic Mechanical Engineering 17&amp;18 8 6C0009 Basic Electrical Engineering 19 9 6CL001 Physics Lab-I 20 10 6CL002 Chemistry Lab-I 20 11 6CL003 C Programming Lab 21 SEMESTER II SI. No Subject Code Subject Name Page Number 1 6C0012 Environmental Engineering 23 2 6C0016 Engineering Mathematics-II 25 3 6C0017 Physics of Electronics &amp; Materials 26 5 6C0073 Chemistry of Engineering Materials 27 6 6C0005 Engineering Graphics 28 7 6C0022 Electrical Technology 29 8 6C0023 Electronic Devices 30 9 6CL010 Electrical Engineering Lab 31 10 6CL011 Electronics devices Lab 32 SEMESTER III SI. No Subject Code Subject Name Page Number 1 6C0032 Engineering Mathematics III 34 2 6C0026 Circuit Theory 35 3 6C0035 Electronic Circuits-I 36 4 6C0036 Engineering Electromagnetics 37 5 6C0037 Object oriented Programming 38 6 6C0038 Digital Systems 39 7 6C0053 Networks analysis and synthesis 40 8 625350 Digital Lab 41 9 625351 Circuits &amp; Networks Lab 41 10 625352 Electronic circuits-I Lab 42 11 625353 Pspice Lab 42 SEMESTER IV SI. No Subject Code Subject Name Page Number 1 6C0054 Engineering Mathematics IV 44 2 6C0096 Measurements &amp; Instrumentation 45 3 625401 Advanced Object oriented Programming 46 4 6C0056 Electronic Circuits -II 47 5 625402 Principles of Digital signal processing 48 6 6C0039 Analog Communication 49 7 6C0059 Transmission lines and waveguides 50 8 625451 Electronics Circuits II Lab 51 9 625452 Digital signal Processing Lab 51 10 625450 Object oriented Programming Lab 52 SEMESTER V SI. No Subject Code Subject Name Page Number 1 6C0079 Applied Numerical Methods 54 2 6C0080 Analog Integrated Circuits 55 3 6C0055 Control system 56 4 6C0086 Microprocessors, Interfacing &amp; Applications 57 5 625501 Advanced Digital Signal Processing Lab 58 6 6C0098 Digital Communication 59 7 6C0097 Antennas &amp; Propagation 60 8 625550 Advanced Digital Signal Processing Lab 61 9 625551 Linear Integrated Circuits Lab 61 10 625552 Microprocessors Lab 62 11 625553 Communication I Lab 62 SEMESTER VI SI. No Subject Code Subject Name Page Number 1 6C0091 Principles of Management and Professional Ethics 64 2 625601 Microcontrollers 65 3 6C0099 Microwave Engineering 66 4 625602 VLSI Circuits and Systems 67 5 625603 Data Communication Networks 68 6 Elective I - 7 Elective II - 8 625650 Microwave Lab 69 9 625651 Microcontroller Lab 69 10 625652 VLSI Programming Lab 70 SEMESTER VII SI. No Subject Code Subject Name Page Number 1 625701 Optical Fiber Communication 72 2 625702 Spread Spectrum Techniques 73 3 625703 Cryptography 74 4 625704 Digital image processing 75 5 625705 Telecommunication Switching systems 76 6 Elective III - 7 Elective IV - 8 625750 Optical communication Lab 77 9 625751 Networking Lab 77 List of Electives SI. No Subject Code Subject Name Page Number 1 6ET E01 Satellite communication 79 2 6ET E02 Mobile Communication 80 3 6ET E03 Internet &amp; Intranet 81 4 6ET E04 Radar &amp; Navigational Aids 82 5 6ET E05 High Performance Communication Network 83 6 6ET E06 Soft computing 84 7 6C0089 Biomedical Instrumentation (Core subject for EIE,EEE,E&amp;C) 85 8 6ET E07 Television Engineering 86 9 6ET E08 Electromagnetic Interference and compatibility 87 10 6ET E09 Low power VLSI 88 11 6EC E02 Artificial Intelligence &amp; Expert Systems 89 12 6IC E03 Robotics and Automation 90 13 6ET E10 VLSI Signal Processing 91 14 6ET E11 Embedded Systems 92 15 6IC E02 Mechatronics 93 16 6EC E03 Programming in Matlab 94 SEMESTER I No Subject Code Subject Name *Periods/Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0001 English 4 1 0 20 80 100 35 50 3 2 6C0002 Engineering Mathematics-I 4 1 0 20 80 100 35 50 3 3 6C0003 Applied Physics-I 4 1 0 20 80 100 35 50 3 4 6C0072 Engineering Chemistry 4 1 0 20 80 100 35 50 3 5 6C0007 Programming in C 4 1 0 20 80 100 35 50 3 6 6C0008 Basic civil and Basic Mechanical Engineering 4 1 0 20 80 100 35 50 3 7 6C0009 Basic Electrical Engineering 4 1 0 20 80 100 35 50 3 PRACTICALS 8 6CL001 Physics Lab-I 3 -- 100 100 50 50 3 9 6CL002 Chemistry Lab-I 3 -- 100 100 50 50 3 10 6CL003 C Programming Lab 3 -- 100 100 50 50 3 SEMESTER I SI. No Subject Code Subject Name Page Number 1 6C0001 English 10 2 6C0002 Engineering Mathematics-I 12 3 6C0003 Applied Physics-I 13 5 6C0072 Engineering Chemistry 14 6 6C0007 Programming in C 16 7 6C0008 Basic civil and Basic Mechanical Engineering 17&amp;18 8 6C0009 Basic Electrical Engineering 19 9 6CL001 Physics Lab-I 20 10 6CL002 Chemistry Lab-I 20 11 6CL003 C Programming Lab 21 6C0001 ENGLISH 4 1 0 100 Common to all branches AIM To promote learners to use the target language and sharpen their communicative skills through participated learning. OBJECTIVES &bull; To provide practice for learners in organized academic and professional writing. &bull; To help learners acquire interpretative reference and study skills through different reading strategies. &bull; To help learners acquire oral fluency. &bull; To help learners acquire the ability to listen effectively and respond competently in English in real life situations. READING 1. Comprehension- Inferential interpretative and redictive comprehension. Tasks: comprehending a passage and answering questions of various kinds relating to information, inference and predictions- Filling gaps with appropriate words objective type questions. 2. Note making - Skimming, Scanning. Tasks: identifying main ideas and supporting details- completing notes in the given format. WRITING 1. Report writing - Types of Reports, Structure of a Report Tasks: reporting on an industrial visit (purpose of the visit, preparatory measures, industry visited, critical observation) - industrial accident (introduction, detailed description of the accident, investigation conducted, recommendations and remedial measures). 2. Paragraph writing: Process description and Product description. Tasks: Describing an object, device, instrument or machine - describing a process (text to chart and vice versa). 3. Letter Writing - job application and letter seeking permission for industrial visit or in plant training. 4. Editing - correcting a passage and checking for errors in spelling, punctuation and grammar. 5. Argumentative writing - Stating a choice and justifying it. SPEAKING 1. Conversation- Framing Questions and responding to queries 2. Role Play - Discussing industrial visits and giving oral instructions for performing tasks. 3. Discussion - Classroom discussion on debatable topics. 4. Oral Presentations - Close and open ended topics related to science and technology. LISTENING : 1. Connectives and Discourse Markers 2. Indicators of Purpose and functions 3. Expressions relating to instructions and recommendations 4. Infinitives and Gerunds 5. Abbreviations and Acronyms 6. Conditionals 7. Impersonal Passive 8. Tenses and Concord 9. Word Formation using Prefixes and Suffixes 10. Word meaning - Antonyms and Synonyms REFERENCE BOOK: 1. Lakshmi Naryanan 2007 Edition. Technical English, Scitech Publications 2. RIE(2006) English for Engineers. New Delhi Foundation Books. 3. Geetha Nagaraj(2006). " A Course in Grammar and composition". New delhi Foundations Books. 4. Rizvi.M.A (2006) Effective Technical Communication. New Delhi Tata Mc Graw hill publishing company limited 5. Hewings,.M(1999) 'Advanced English Grammar', Cambridge. Cambridge university 6. Lock, G(1996) 'Functional English Grammar' Cambridge. Cambridge university 7. Nagini P.S &amp; Manivannan.N (2005) "Excellence through communication" Chennai shri jai publications. 8. Murphy R(1992) 'Essential English Grammar'.Cambridge, Cambridge university press. 6C0002 ENGINEERING MATHEMATICS I 4 1 0 100 (Common to all B.E/B.Tech branches) UNIT I: MATRICES (12) Eigen value problem- Eigen values and eigen vectors of a real matrix-Characteristic equation-Eigen values and eigen vectors of a real matrix-Characteristic equation-Properties of eigen values and eigenvectors-Cayley-Hamilton theorem(without proof)- Similarity transformation (concept only)-Orthogonal matrices-Orthogonal transformation of a symmetric matrix to diagonal form-Reduction of quadratic form to canonical form by orthogonal transformation. UNIT II : ALGEBRA (12) Review of partial fractions. Binomial, exponential and logarithmic series (without proof) Problems on summation, approximations and coefficients. UNIT III: GEOMETRICAL APPLICATIONS OF DIFFERENTIAL CALCULUS (12) Curvature-Cartesian and polar co-ordinates-Centre and radius of curvature-Circle of Curvature-Involutes and evolutes-Envelopes-Properties of envelopes and evolutes-Evolute as envelope of normals. UNIT IV: INTEGRATION (12) Functions of two variables-Partial derivatives-Total differential-Taylor's expansion-Maxima and minima-Constrained maxima and minima-Lagrange's Multiplier method-Jacobians-Differentiation under integral sign. UNIT V: ORDINARY DIFFERENTIAL EQUATIONS (12) Simultaneous first order linear equations with constant coefficients-Linear equations of Second order with constant and variable coefficients-Homogeneous equations of Euler type-Method of variation of parameters. Total No of Periods:60 TEXT BOOKS : 1. A Text Book on Engineering Mathematics by T.VEERARAJAN, Tata-McGraw Hill Publications, Chennai. REFERENCE BOOKS : 1. Engineering Mathematics by Dr.P.KANDASWAMY and Co., S.Chand and Company. 2. Engineering Mathematics by M.K. VENKATRAMAN, National Publications, Chennai. 6C0003 APPLIED PHYSICS-I 4 1 0 100 (Common to all Branches) UNIT I THERMAL PHYSICS (12) Modes of heat transfer - conduction, convection and radiation - Basic definitions. Conduction - Co-efficient of thermal conductivity - determination of K for good conductors - Forbe's method, determination of K for bad conductors - Lee's disc method. Formation of ice on ponds - Compound media - series and parallel - problems. UNIT II OPTICS (12) Convex lens - Principal axis, optical centre, principal focus, focal length and power of the lens. Lens Aberrations - Chromatic aberrations - Longitudinal and Lateral chromatic aberration. Achromatism of lenses - condition for achromatism when two lenses are in contact and when they are separated by a distance. Monochromatic aberration - spherical aberration - Coma - Astigmatism - Curvature - Distortion - minimization techniques - problems. Photographic camera, f-ratio and depth of focus. UNIT III ACOUSTICS (12) Musical sound and noise, characteristics of musical sound - Weber-Fechner law - characteristics of loudness, pitch, quality - relation between intensity and loudness, decibel scale, relation between pitch and frequency, factors on which intensity and loudness depend, sound intensity level and sound pressure level. Sound absorption, sound absorption co-efficient and its measurement - Reverberation - reverberation time - standard reverberation time - Sabine's formula to determine reverberation time. Factors affecting the acoustics of building and their remedy. UNIT IV PROPERTIES OF MATTER (12) Bending of beams - bending moment of a beam - Cantilever - expression for depression - cantilever loaded at free end, cantilever supported at its ends loaded in the middle - determination of Young's modulus of the given cantilever by statical method when the beam is loaded at the center, when the beam is loaded uniformly - problems. UNIT V MATTER WAVES (12) Matter waves - Definition, experimental verification of matter waves - G.P. Thomson, Davisson and Germer experiment. De Broglie's equation - Physical significance of the wave function - Schrodinger wave equation - time dependent and time independent equations - application to one dimensional box. Total No of Periods:60 REFERENCE BOOKS: 1. Heat and Thermodynamics - D.S.Mathur. 2. Heat and Thermodynamics - Brijlal and Subramanyam. 3. Properties of matter- Brijlal and Subramanyam 4. Properties of matter-Murugesan 5. Engineering Physics - Gaur and Gupta. 6. Fundamentals of Acoustics - Kinsler and Frey. 7. Modern Physics - J.B.Rajam. 8. Optics - Brijlal and Subramanyam. 9. Optics &amp; Spectroscopy Khanna &amp; Gulati 10. Optics &amp; Spectroscopy Murugesan 11. Properties of matter - D.S.Mathur. 12. Applied Physics A.Joseph, M.Sundareswari, Helen 6C0072 ENGINEERING CHEMISTRY 4 1 0 100 COMMON TO ALL BRANCHES (STUDENTS ADMITTED FROM 2007 -2008 BATCH ONWARDS) Unit - I Technology of water (12) Introduction - Hardness of water - Types of hardness - Equivalents of hardness in terms of calcium carbonate- Units of hardness-parts per million- milligrams per litre-problems based on calcium carbonate equivalents- water softening- zeolite process- demineralization process- comparison of zeolite process and demineralization process- desalination- reverse osmosis- electro dialysis- treatment of water for domestic supply-requirements of drinking water- sedimentation and coagulation - filteration - slow sand filter - disinfection- cholination - break point chlorination- UV treatment and ozonzation Unit -II Electrochemistry (12) Introduction- Representation of electrochemical cell- origin of electrode potential- reference electrodes- standard hydrogen electrode- saturated calomel electrode -determination of single electrode potential- Electrochemical series and its significane- electromotive force(emf) of a cell- determination of emf by potentiometric method- Application of emf series- determination of sparingly soluble salts- potentiometric titrations- Ferrous/ ferric system- Concentration cells- Emf expression for electrolyte concentration cell. Unit - III Corrosion science and industrial metal finishing (12) Introduction- mechanism of chemical oxidation corrosion - pilling - bedworth rule- Mechanism of electrochemical corrosion- galvanic corrosion - differential aeration corrosion - difference between chemical and electrochemical corrosion - corrosion control - selection and design of material - cathodic protection - sacrificial anodic method - impressed current method - inhibitors- cathodic anodic and vapour phase inhibitors- pretreatment of metal surface before coating - electroplating - principle and processs of electroplating of copper - electroless plating - principle and process of electroless plating of nickel. Unit - IV Explosives and rocket propellants (12) Introduction - Requirements of explosives - oxygen balance - classification of explosives- low explosives- gun powder - Smokeless powder - primary explosives- lead azide - mercury fulminate- high explosives- ammonium nitrate- trinitro toluene- RDX - Dynamite- plastic explosives - requirements of rocket propellants - specific impulse- effective exhaust velocity - thrust - specific propellants consumption - classification of propellants - liquid propellants- liquid oxidizers - LOX - Liquid fluorine - H2O2 - HNO3 -N2O4- Liquid fuels- Hydrocarbon fuels - liquid hydrogen - N2H4-Mono and Di- methyl hydrazine - solid propellants - oxidizers- ammonium perchlorate- inorganic nitrates - RDX - Fuel - Powdered aluminum - Boron - AIH3- Beh2- Polymer binders. Unit V Chemical toxicology and food additives (12) Introduction - chronic and acute effects - median lethal dose-50 - biochemical effects- carbon monoxide - sulphur dioxide - lead - mercury- the need of food additives- incidental and intentional additives- classification - preservatives- anti-oxidants- sequestrants- acidulants- surface active substances - stablisers and thickeners- natural supplements - colourants- non- nutritive sweeteners - Flavours- risk analysisi of some specifc food additives - diethyl pyrocarbonate - butylated hydroxyanisole (BHA) and butylated hydroxytolune (BHT) - phosphoric acid - saccharin - monosodium glutamate. REFERENCES 1. Engineering chemistry, jain&amp; jain, 15th Ed,Dhanpat Rai Publ.Co(2006) 2. Chemistry in Engineering and Technology, Vol.1&amp;2,J.C. kuriacose and Rajaram,Tata Mc Graw Hill. 3. A Text Book of Engineering chemistry, S.S. Dara,S.Chand Co.(2006) 4. Rocket propulsion elements,George P.Sutton, John wiley&amp;Sons,(1986) 5. Environmental chemistry,A.K.De,New age International Ltd.(2006) 6. Fundamental concepts of Environmental chemistry, G.S.Sodhi,narosa Publ.Co(2002) 7. Engineering Chemistry M.M.Uppal, 6th edition Khanna Publication(2002) 8. Engineering Chemsitry, O.P Aggrawal, 3rd Edition Khanna Publication (2003) 6C0007 PROGRAMMING IN `C' 4 1 0 100 (COMMON TO I SEM ECE, ETCE,CSE, IT,Chem, Mech, Prod, Aero II Sem: Common to Bio- tech, Bio-info, Bio-Med, E&amp;I, E&amp;C, EEE) UNIT - I INTRODUCTION (12) Program development cycle - Structured programming - Top down, Bottom up approach - Flow charts - History of `C' - Structure of a C program - Character Set - `C' Tokens : Keywords - Identifiers - Constants -Variables - Data Types - Expressions - Operators. UNIT II (12) Data Input and Output: Single character input and output -Scanf ( ) function - printf( ) function - gets( ) and puts( ) function. Control Structures: Selective Control - Loop Control - Break and continue Statement. UNIT III (12) Arrays : Definition - Accessing an array element - Single dimensional arrays - Multi dimensional arrays. Strings : Handlings of character strings - String Manipulations. Functions: Definition -Execution of a function -Category of a function - Recursion - Passing arguments to a function -Storage classes. UNIT IV (12) Pointers: Definition - pointers and functions - Passing pointers as function arguments - Passing array as arguments to function - Pointers and Arrays - Array of pointers. Structures &amp; Unions: Definition a structure - Array of structures - Passing Structures to a function Pointers and structures - Union. UNIT V (12) Files: File management in `C' - Defining and Opening a file - Closing a File - I/O operations on file - Random access to file - Command line arguments. Total No of Periods:60 REFERENCE BOOKS: 1. B.S.Gottfried, Programming with `C' Schaum's Outline Series, Tata McGarw Hill Edition 1997. 2. E.Balagurusamy, Programming in ANSI `C' Tata McGraw Hill 2nd Edition 1997. 3. Computer Programming-Mrs.Sabitha and Mrs.Jayanthi-Air Walk Publications, Chennai- 6C0008 BASIC CIVIL AND BASIC MECHANICAL ENGINEERING 4 1 0 100 PART - A: BASIC CIVIL ENGINEERING ( COMMON TO ECE, ETCE, E&amp;I, EEE , E&amp;CII-Sem: Mech, Mech&amp;Prod., Aero and Chem) UNIT I (10) Construction materials Physical and mechanical properties Stone, brick, cement, concrete, steel, plywood, plastic and composite material. Buildings - Various components and their functions. Foundations - Functions , classification and suitability. Flooring - functions, types, cement concrete, mosaic, granolithic, marble and granite flooring. Masonry - stone and brick masonry and their construction details. Roof -flat R.C.C. roof - steel trusses - roof coverings. Valuation - Simple valuation methods- Plinth area method- Depreciation rate method. UNIT II (10) General properties of materials - stress, strain, modulus of elasticity. Centre of gravity and Moment of Inertia for rectangle, angle, T section, I section Channel section. Road -Types -Water Bound Macadam road, Cement Concrete road, Bituminous road. Railways &Auml; Permanent way, components and functions. UNIT III (10) Water supply - sources - surface and ground water - quality and quantity - water treatment. Sewage disposal - Collection - Waste water treatment - Septic tank and Oxidation pond. Surveying - Classification and principles - Surveying techniques and instruments. Bridges - Types - T beam, steel arc, culvert and causeway. Dams - Purpose - Selection of site - Gravity and Earthern dams - Geological effects. REFERENCE BOOKS: 1. Basic Civil Engineering - Natarajan.K.V, M/S Dhanalakshmi, Chennai. 2. Basic Civil Engineering - Shanmugam .G &amp; Palanichamy M.S, Tata Mc Grew Hill Publication Co. 3. Text book on Basic Civil Engg - Ramesh Babu.B, Sundaram Printing Works. 4. Basic Civil Engg - Helen Santhi. M, Air Walk Publications , Chennai. PART - B : BASIC MECHANICAL ENGINEERING UNIT I: NEW SOURCES OF ENERGY (10) Study of different types of alternative sources - solar, wind, wave, tidal and geo-thermal. BOILERS Classification - principles of modern high pressure steam generators for power generation. Layout of steam, gas turbine, diesel, nuclear and hydro power plants. (10) UNIT II: INTERNAL COMBUSTION ENGINES: Working principle of petrol and diesel engines- Two stroke and four stroke cycles - functions of main components - single jet carburetor -ignition, cooling and lubrication systems -fuel pump and injector. UNIT III: METAL FORMING PROCESS: (10) Principles of forging, rolling, drawing and extrusion. METAL JOINING PROCESS: Principles of welding - fundamentals of arc welding, gas welding and gas cutting - brazing and soldering. METAL MACHINING: Types of lathes - Main components and their functions of center lathe - operations performed - drilling machines - operations. REFERENCE BOOKS: 1.Basic Mechanical engineering - Dr.K.Palani Kumar, AirWalk Publications, Chennai-4. 2. Basic Mechanical engineering K.Venugopal, Anuradha Publications, Kumbakonam. 6C0009 BASIC ELECTRICAL ENGINEERING 4 1 0 100 (Common to ECE EEE/ ETCE/ CSE/IT/ E&amp;CE/EIE / Chem in Sem I ) UNIT I :D.C.CIRCUITS (12) Electrical quantities - Ohm's Law - Resistors - Series and parallel combinations -- Kirchoff's laws - Node and Mesh Analysis - Star delta Transformation - Simple problems UNIT - II : MAGNETIC CIRCUITS (12) Definition of MMF, Flux and reluctance - Leakage factor - Reluctances in series and parallel (series and parallel magnetic circuits) - Electromagnetic induction - Fleming's rule - Lenz's law - faraday's laws - statically and dynamically induced EMF - Self and mutual inductance - Coefficient of coupling- Energy stored and energy density - Analogy of electric and magnetic circuits - Simple problems. UNIT - III : A.C.CIRCUITS (12) Sinusoidal functions - RMS(effective) and Average values- Phasor representation - J operator - sinusoidal excitation applied to purely resistive , inductive and capacitive circuits - RL , RC and RLC series and parallel circuits - power and power factor - Simple problems - Three phase circuits - Star / Mesh connections - Simple Problems on 3 phase circuits with balanced 3 phase loads - measurement of power by two wattmeter method. UNIT - IV: MEASURING INSTRUMENTS (12) Classification, essentials of indicating instruments, Moving coil and moving iron instruments ,Voltmeter, Ammeter, Galvanometer - Principle and theory of operation - Extension of ranges - Induction type energy meter - Megger. UNIT - V: ELECTRICAL WIRING (12) Domestic Wiring - Materials and accessories - Types of wiring - Stair case wiring - Fluorescent tube circuit - Indian Electricity rules for wiring - Simple domestic wiring layout - Insulators - Requirement and types of insulators - Single line diagram of Transmission and Distribution Systems . Total No of Periods:60 Text Book: 1. Basic Electrical Engineering, B.N.Mittle, Aravind Mittle, "Tata McGraw Hill",2nd Edition REFERENCE BOOKS: 1. W.H.Hayt &amp;co,'Engineering Circuit Analysis',MGH 6th edition 2006 2. Electrical Technology B.L.Theraja Vol I, Chand and Co Ltd., 3. Basic Electrical, Electronics and computer engg., Thiyagarajan, Shalivahanan, TMH Ltd.,. 6CL001 PHYSICS LAB-I 0 0 3 100 (COMMON TO E&amp;C, E&amp;I, EEE, CHEMICAL, ETCE, BIO-INFO, BIO-TECH, BIO-MEDI) 1. Compound pendulum -Determination f acceleration due to gravity. 2. Laser grating - Determination of wavelength of laser light. 3. Spectrometer - Determination of refractive index of a prism. 4. Air-wedge - Determination of thickness of a thin wire. 5. Semiconductor diode - Determination of width of the forbidden energy gap. 6. Quincke's method - Determination of magnetic susceptibility of liquid. 7. Semiconductor diode - Characteristic. 6CL002 CHEMISTRY LAB 0 0 3 100 (COMMON TO E&amp;C, E&amp;I, EEE, CHEMICAL, ETCE, BIO-INFO, BIO-TECH,BIO-MEDI) 1. Determination of Total, Permanent and Temporary hardness of water sample by EDTA method. 2. Determination of molecular weight of polymer by viscosity average method. 3. Determination of percentage of Cu in an ore. 4. Determination of percentage of Ni in an alloy. 5. Estimation of HCL by conductometric titration. 6. Determination of cloud point and pour point of a lubricating oil. 7. Determination of flash point and fire point of an oil. 6CL003 `C' PROGRAMMING LAB 0 0 3 100 (COMMON TO ECE,ETCE,CSE &amp; IT, Mech, Prod, Aero) 1. To find greatest of 3 numbers. 2. To check whether a prime or not. 3. Finding GCD of two numbers. 4. To check Perfect number. 5. To check Armstrong number. 6. Generating Fibonacci Series. 7. Finding Sum of series. 8. To perform matrix addition. 9. To perform matrix multiplication. 10. String manipulation. 11. Pointer operations. 12. Structures. 13. Files. SEMESTER II No Subject Code Subject Name *Periods/Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0012 Environmental Engineering 4 1 0 20 80 100 35 50 3 2 6C0016 Engineering Mathematics-II 4 1 0 20 80 100 35 50 3 3 6C0017 Physics of Electronics &amp; Materials 4 1 0 20 80 100 35 50 3 4 6C0073 Chemistry of Engineering Materials 4 1 0 20 80 100 35 50 3 5 6C0005 Engineering Graphics 4 1 0 20 80 100 35 50 3 6 6C0022 Electrical Technology 4 1 0 20 80 100 35 50 3 7 6C0023 Electronic Devices 4 1 0 20 80 100 35 50 3 PRACTICALS 8 6CL010 Electrical Engineering Lab 3 -- 100 100 50 50 3 9 6CL011 Electronics devices Lab 3 2. -- 100 100 50 50 3 SEMESTER II SI. No Subject Code Subject Name Page Number 1 6C0012 Environmental Engineering 23 2 6C0016 Engineering Mathematics-II 25 3 6C0017 Physics of Electronics &amp; Materials 26 5 6C0073 Chemistry of Engineering Materials 27 6 6C0005 Engineering Graphics 28 7 6C0022 Electrical Technology 29 8 6C0023 Electronic Devices 30 9 6CL010 Electrical Engineering Lab 31 10 6CL011 Electronics devices Lab 32 6C0012 ENVIRONMENTAL ENGINEERING 4 1 0 100 (COMMON TO MECH, PROD, AERO, CIVIL, CHEM in sem I) (COMMON TO CSE, IT, ECE, ETCE, EEE, EIE E&amp;C in sem II) UNIT-I: NATURAL RESOURCES (12) The Multidisciplinary nature of environmental studies, definition, scope and importance-Renewable and non-renewable resources- Natural resources and associated problems. Forest resources: Use and over-exploitation, deforestation, case studies. Timber extraction, mining, dams and their effects on forest and tribal people. Water resources: Use and over-utilization of surface and ground water, floods, drought, conflicts over waters, dams-benefits and problems. Mineral resources: Use and exploitation, environmental effects of extracting and using mineral resources, case studies. Food resources : World food problems, changes caused by agriculture and overgrazing, effects of modern agriculture, fertilizer-pesticide problems, water logging, salinity, case studies. Energy resources : Growing energy needs, renewable and non renewable energy sources, used of alternate energy sources, case studies. Land resources :Land as a resource ,land degradation, man induced landslides, soil erosion and desertification. Role of an individual in conservation of natural resources. Equitable use of resources for sustainable lifestyles. UNIT-II: ECOSYSTE (12) Concept of an ecosystem-structure and function of an ecosystem-Producers-consumers and decomposers-Energy flow in the ecosystem-Ecological succession-Food chains, food webs and ecological pyramids. Introduction, types, characteristic features, structure and function of the following ecosystem. Forest ecosystem, Grassland ecosystem, Desert ecosystem, Aquatic ecosystems (ponds, streams, lakes, rivers, oceans, estuaries) BIODIVERSITY AND ITS CONSERVATION Introduction-Definition: genetic, species and ecosystem diversity, Biogeographical classification of India- Value of biodiversity: consumptive use, productive use, social, ethical-aesthetic and option values-Biodiversity at global. National and local levels. India as a mega diversity nation-Hot-spots of biodiversity. Threads to biodiversity: habitat loss, poaching of wildlife, man wild life conflicts. Endangered and endemic species of India-conservation of biodiversity: In-situ and Ex-situ conservation of biodiversity. UNIT- III: ENVIRONMENTAL POLLUTION (12) Definition ,causes, effects and control measures of: Air pollution, water pollution, Soil pollution, Marine pollution, Noise pollution, Thermal Pollution, Nuclear hazards - Solid waste management: Causes, effects and control measures of urban and industrial wastes. Role of an individual in prevention of pollution. Pollution case studies. Disaster management : floods, earthquake, cyclone and landslides. UNIT-IV: SOCIAL ISSUES AND THE ENVIRONMENTAL LEGISLATION (12) From Unsustainable to Sustainable development - Urban problems related to energy - Water conservation, Rain water harvesting, watershed management- Resettlement and rehabilitation of people; its problems and concerns, Case studies. Environmental ethics: Issues and possible solutions . Climate change, global warming, acid rain, ozone layer depletion, nuclear accidents and holocaust, Case studies. Wasteland reclamation. Consumerism and waste products. Environment Protection Act. Air (Prevention and control pollution) Act. Water (Prevention and control of pollution ) Act-Wild life protection act-Forest conservation Act-Issues involved in enforcement legislation. Public awareness. UNIT-V: HUMAN POLLUTION AND THE ENVIRONMENT (12) Population growth, variation among nations-Population explosion-Family welfare programme. Environment and human health. Human rights-Value education-HIV/AIDS. Women and child welfare-Role of information Technology in environment and human health, Case studies. Visit to a local area to document environmental assets-river /forest/ grassland /hill/ mountain. Visit to a local polluted site-Urban / Rural/ Industrial/ Agricultural-Study of common plants, insects, birds-Study of simple ecosystems-pond, river, hill slopes, etc. Total No of Periods:60 Text Book: 1. Enivronmental science and Engineering, Anubha kaushik and C.P. Kaushik, New Age International Publishers. REFERENCE BOOKS: 1. Environmental Engineering-Dr.Abbas Mohaideen-Air walk Publications- Chennai 2. Environmental Science -working with the earth by G.Tyler Miller, 10th edition Jack carrey Publishers. 3. Introduction to Environmental Engineering- Y.Anajaneyulu- B.S.Publications- Hyderabad 4. Environmental Science- towards a sustainable future by Richard T.Wright % B.J.Nebel, 8th edition prentice hall of India New delhi 5 Text book of Environmental studies, Erach Bharucha, University press, Chennai 6C0016 ENGINEERING MATHEMATICS II 4 1 0 100 (Common to all branches of B.E., B.Tech.,) UNIT - I : TRIGONOMETRY (12) Review of Complex numbers and DeMoivre's Theorem. Expansions of Sinn? and Cosn? ; Sin? and cos? in powers of , sinn? and cosn? in terms of multiples of . Hyperbolic functions - Inverse hyperbolic functions. Separation into real and Imaginary parts of comples function. UNIT - II : THREE DIMENSIONAL ANALYTICAL GEOMETRY (12) Direction cosines and ratios - The equations of a plane - Equation to a straight line - Shortest distance between two skew lines - Coplanar lines - Sphere - Tangent line - Plane section of a sphere - Orthogonal spheres. UNIT - III : BETA AND GAMMA FUNCTIONS (12) Definitions of Beta and Gamma integrals - Relation between them - Properties - Evaluation of definite integrals in terms of Beta and Gamma function - Simple applications. UNIT - IV : VECTOR CALCULUS (12) Differentiation of a vector function - Gradient divergence and curl - directional Derivative - Identities (without proof) - Irrotational and Solenoidal fields, Vector Integration - Line, Surface and Volume Integrals, Integral theorem (without proof), Green's theorem (in the plane), Gauss divergence theorem and Stokes's theorem - Simple applications involving rectangles and cuboids. UNIT - V : INTEGRAL CALCULUS (12) Properties of definite integrals - Related definite integrals - Reduction formulaes for eax.xn, xn.sinax, xn.cosax, sinnx, cosnx, sinmx.cosnx. Double integrals - Change of order of integration - Triple integrals. Total No of Periods:60 TEXT BOOKS : 1. A Text Book on Engineering Mathematics by T.VEERARAJAN, Tata-McGraw Hill Publications,Chennai. REFERENCE BOOKS : 1. Engineering Mathematics by Dr.P.KANDASWAMY and Co., S.Chand and Company. 2. Engineering Mathematics by M.K. VENKATRAMAN, National Publications, Chennai. 6C0017 PHYSICS OF ELECTRONICS &amp; MATERIALS 4 1 0 100 (COMMON TO CSE, IT, ECE, EEE, E&amp;I, ICE &amp; CHEM BRANCHES) UNIT - I CONDUCTING AND SUPERCONDUCTING MATERIALS (12) Conducting materials - Free electron theory - Deduction of Wiedemann Franz law, Problems. Superconducting materials-Transition temperature - Occurrence of superconductivity - BSC Theory, Properties of superconductors - Type I and Type II superconductors, AC and DC Josephson effects. (basic definitions) UNIT - II MAXWELL'S EQUATIONS AND ELECTROMAGNETIC THEORY (12) Basic laws of electricity and magnetism - Differential form - Gauss law, Ampere's circuit law, Faraday's law of electromagnetic induction. Types of current, Charge conservation law - continuity equation, Displacement current - Maxwell's equations, electromagnetic waves in free space - Energy density of Electromagnetic waves and Poynting theorem. UNIT - III DIGITAL ELECTRONIC FUNDAMENTALS (12) Number systems - Binary, decimal, Hexadecimal and octadecimal. Conversion from one number system to another. BCD - ASCII-Excess 3 code and gray code. Binary addition, Subtraction - Subtraction by 1's and 2's complement. UNIT - IV FIBER OPTICS (12) Introduction, Advantages of optical fiber communication, Block diagram for optical fiber communication system, structure of fiber, principle of propagation of light through the fiber, Theory of propagation of light, Types of rays, types of fiber, attenuation and distortion in fiber. UNIT - V MAGNETIC AND DIELECTRIC MATERIALS (12) Introduction to magnetism, Basic definitions, Types of Magnetic materials - hard and soft - dia, para and ferro magnetic materials. Magnetic bubbles - formation and propagation of magnetic bubbles - applications of magnetic materials - Floppy disk and CD ROM. Dielectrics - basic definitions, internal or local electric field -definition and derivation of Lorentz equation. Clausius Mosotti equation - Dielectric Loss and properties. Total No of Periods:60 TEXT BOOK: 1. Engineering Physics - 8 th Edition - Gour and Gupta REFERENCE BOOKS: 1.Material science - Raghavan 2. Material and Metallurgical Engineering - O.P.Khanna 3. Electro Magnetic Theory and Electrodynamics - Sathyaprakash 4. Digital Principles and Applications - Malvino leech 5.Electricity and Magnetism with Electronics-K.K. Tewari 6C0073 CHEMISTRY OF ENGINEERING MATERIALS 4 1 0 100 COMMON TO CSE, IT, ECE, EEE, E&amp;I, E&amp;C,ETCE BRANCHES for 2007 batch UNIT -I POLYMER MATERIALS (12) Introduction -Functionality of monomer and its significance - Nomenculature of polymers-Introduction constituents of plastics - Moduling methods - Compression modeling - Injection modeling - Extrusion modeling -Conducting polymers-Definition - Examples- Polyacetylene-Polyaniline-Electronic behavior of polymers with structure-Optical fibers -Definition -Principle -Plastic optical fibers -Polymethyal methacrylate -Perfluorinated polymers Bio degradable polymers- Definition -Classification UNIT - II Batteries and fuel cells (12) Introduction - Battery terminology - Capacity - Charging and discharging characteristics - Cycle life - Energy density - Internal resistance - Classification of Batteries -Lead - acid accumulator -Nickel -Cadmium batteries - Lithium cells - Types - Cells with solid cathode - eg: Li-MnO2 - Cells with liquid cathode - eg: Li-SOCI2 -cells with solid electrolyte eg: Li-I cell - Fuel cells - Hydrogen oxygten fuel cell - Solid oxide fuel cell (SOFC) - Advantages. UNIT - III Introduction to nonmaterials (12) Introduction - Nanomaterials -Definition - Properties - Types - Nanostructured materials - Nanoparticles -Nanoporous materials - Nanowires - Nanotubes -Single walled and multi walled nanotubes - Synthesis of Nanomaterials - Sol-gel methode - Plasma arching - Chemical reduction methods - Chemical vapour Deposition(CVD) -Applications of Nanomaterials. UNIT - IV Insulating materials (12) Introduction - Classification - Heat insulating materials - Requirements - Types _ Organic and Inorganic insulators - Sound insulating materials - Requirements - Types - Soft, Semi-hard and Hard materials - Electrical insulating materials (Dielectrics) - Requirements - Types - Solid, Liquid and Gaseous materials. UNIT - V Instrumental analysis (12) pH - Determination of pH using glass electrode - Conductance - Experimental determination of conductance for an aqueous solution - Condnctometric titrations - Principle - Strong acid vs Strong base - Weak acid vs. Strong base - Precipitation titrations - chromatography- classification-Elution analysis-Gas chromatography(GC) Block diagram- Detectors- Thermal conductivity detector(TCD) -flame ionization detector (FID) - Liquid chromatography-Principles- Adsorption and partition chromatography- High pressure liquid chromatography(HPLC)- Block diagram only Total No of Periods:60 REFERENCES 1. Polymer science, V.R.Gowariker,N.V.Viswanathan and jayadev Sreedhar,New age intercontinental(P)Ltd.(2003) 2. Engineering chemistry, jain&amp;jain, 15th Ed, Dhanapat Rai Publ.Co. (2006) 3. A text book of . Engineering chemistry, S.S. Dara, S.Chand Co.(2006) 4. Introduction to Nanotechnology, Charles P. Poole jr, &amp; Frank j.Owens, john Wiley Sons 5. Text Book of Engineering Chemistry, C. Parameseara murthy, C.V.Agarwal,Andra Naidu,BS Puplications(2007) 6. Engineering materials,R.K.Rajput,S.Chand&amp;Co.(2004) 7. Principles of Instrumental analysis, Skoog,Holler and Nieman,5th Ed, Thomson Inc.,(2003) 8. Engineering chemistry, M.M.Uppal, 6th Ed, Kanna publ.(2002) 6C0005 ENGINEERING GRAPHICS 4 1 0 100 (Common to ECE,ICE,E&amp;I, CSE, IT II SEM: EEE, &amp; ETCE, Bio Medi) UNIT I (12) Introduction to Dimensioning, Lettering. Geometrical Construction. Orthographic projections - Planes of projection -Projection of points. Projection of straight lines - Parallel to one or both the planes - perpendicular to a plane - Inclined to one plane, parallel to the other - Inclined to both planes - Traces of the lines. UNIT II (12) Projection of solids - Axis perpendicular to a plane. Axis parallel to both planes - Axis parallel to one plane and inclined to the other - Axis inclined to both planes. UNIT III (12) Sections of Solids-Section planes - True Shape of Section - Sections of Prisms, Pyramids, Cones and Spheres. Development of lateral surfaces-Development of cubes ,prisms ,pyramids and cones. UNIT IV (12) Isometric projection-Isometric axes -isometric scales -isometric projection of planes, prisms, pyramids , cylinders, cones and spheres . Perspective projections -station point -picture plane - vanishing point method only. UNIT V (12) Conversion of orthographic projection from pictorial views. Conversion of pictorial views from orthographic projection. Total No of Periods:60 REFERENCE BOOKS : 1. Engineering Drawing - N.D.Bhutt. 2. Engineering Drawing -K.L.Narayana and Kannaiah. 3. Engineering Graphics -S.Ramachandran, K.Pandian &amp; E.V.V.Ramanamurthy, R.Devaraj - AirWalk Publications, Chennai 6C0022 ELECTRICAL TECHNOLOGY 4 1 0 100 (Common TO ECE, ETCE and E&amp;I) (Common to CSE, E&amp;C, and Biomedical Engg. In the III Semester from 2006 Batch onwards) UNIT I: DC MACHINES (12) Construction -principle of operation of DC generator and DC Motor- Types of DC generators and DC Motors -Performance Characteristics of DC generators and DC Motors- Losses in DC machine(problems)- Calculation of Efficiency(problems)- Starters - Necessity and types - Speed control of various types of DC Motors. UNIT II: TRANSFORMERS (12) Constructional details and principle of operation of Single and Three Phase transformers - EMF Equation (Problems) - Phasor Diagram on No Load and Load - Equivalent circuit (Problems) - Open Circuit, Short Circuit( Problems) - Regulation(Problems) - Commercial and All day Efficiency - Auto Transformer. UNIT III: INDUCTION MOTORS (ASYNCHRONOUS MOTORS) (12) Constructional details of Three Phase Squirrel Cage and Slip Ring Induction Motors - Principle of Operation - Equivalent Circuit - Phasor Diagram - Torque Equation -Torque/Slip Characteristics - Problems - Starters - Speed control methods - Introduction to Single Phase Induction Motors. UNIT IV: SYNCHRONOUS MACHINES (12) Constructional Features of Alternator - Principle of Operation - EMF Equation- Simple Problems - Regulation - Synchronous Impedance - Phasor Diagram - Regulation by Synchronous Impedance method - Problems - Synchronous Motor - Starting, Hunting, V Curves and Inverted V Curves - Synchronous Condenser. UNIT V: SPECIAL MACHINES (QUALITATIVE TREATMENT ONLY) (12) Tachogenerator - AC and DC Servo motor - Linear Induction Motor - Brushless DC motor - Permanent Magnet DC and Synchronous Motors - Synchros - Stepper Motor - Variable Reluctance and Permanent Magnet - Applications. Total No of Periods:60 Text Books: 1. B L Theraja, 'Electrical Technology', Vol II-S chand &amp;co, 1998 REFERENCE BOOKS: 2. Theodore wildi, 'Electrical Machnies, Drives and Power systems',Pearson education, 5th edition ISBN 81-7808-972-6 3. C.R.Paul, S.A.Nasar &amp; L.E.Unnewehr, 'Introduction to Electrical Engineering', Mc Graw Hill, 1992. 4. J.B.Gupta,'Electrical Machines', Millennium Edition,2000. 5. Smarajit Ghosh,'Electrical Machines', Pearson Education, 2005, ISBN 81-297-0718-7 6C0023 ELECTRONIC DEVICES 4 1 0 100 (COMMON TO EEE, ECE, ETCE, E&amp;C, E&amp;I) UNIT-1: ELECTRON DYNAMICS (10) Force on charged particle in electric field &amp; magnetic field-Deflection and focusing of electron beam in CRT &amp; TV picture tube-motion of electrons under concurrent field-E and H perpendicular to each other- E and H are parallel to each Other -Applications of CRO UNIT-II: SEMICONDUCTOR DIODE (14) Review of intrinsic &amp; extrinsic semiconductor - Charge density in semiconductor-mobility and conductivity - conductivity modulation - Hall effect-expression for drift and diffusion current-continuity equation - Calculation and location of Fermi level and free electron in intrinsic and extrinsic semiconductors - operation and characteristics of PN junction - minority carrier injection and recombination in homogeneous semiconductor - energy band diagram of open circuit PN Junction - current components in PN junction - break down in PN junction - junction capacitance - Charge control description of a diode - Switching characteristics - application of diode - clipper, clamper and Voltage multipliers. UNIT-III: BIPOLAR JUNCTION TRANSISTOR (12) Construction and Operation of NPN and PNP transistor - Current components in a transistor - Eber moll's Equation -characteristics of CE,CB,CC configuration - base width modulation - small and large signal models - break down ratings - thermal runway problems - use of heat sinks - Switching characteristics. UNIT IV: FIELD EFFECT TRANSISTOR (12) JFET-construction , operation and characteristics - expression for pinch off voltage and drain current -small signal model - MOSFET - enhancement and depletion mode operation and characteristics - handling precautions of MOSFET - gate capacitance - FET as VVR - Comparison of MOSFET and JFET - Comparison of BJT and JFET. UNIT V: SPECIAL SEMICONDUCTOR DEVICES (12) SCR- UJT- Diac-Triac - Zener diode- Varactor diode - PIN diode - Tunnel diode -Gunn diode, Principle of photo electronic devices - solar cell, photo diode and photo transistor - LED-LCD - LASER diode - CCD -operation, characteristics and applications. Total No of Periods: 60 TEXT BOOKS: 1. Electronic devices &amp; circuits -Millmam &amp; Halkias 2. Electronic devices &amp; circuits - G.K.Mithal,Khana Publication,23rd edition REFERENCE BOOKS: 1. Electronic devices &amp; circuits - David Bell 2. Electronic devices &amp; circuits theory - Boylstead 3. Solid state electronic devices - Street man 4. Fundamental of semiconductor devices - Yang 6CL010 ELECTRICAL ENGINEERING LAB 0 0 3 100 (COMMON TO ECE, ETCE) 1. Brake Load test on DC Shunt Motor. Determination of performance characteristics. 2. Speed control of DC shunt motor a. Armature control, b. Field control 3. Brake Load test on DC Series Motor. 4. O.C.C &amp; Load test on separately excited dc shunt generator. Determination of critical field resistance. 5. O.C. and S.C. test on single phase Transformer and prediction of a. Efficiency b. Regulation &amp; c. Determination of equivalent circuit parameters. 6. Load test on Single phase Transformer. (Determination of regulation and efficiency of given single phase transformer with pure resistive load). 7. Pre-determine of Regulation of Three phase Alternator by synchronous Impedance method. 8. Brake Load Test on Three-phase Induction Motor. (Performance characteristics) 9. a. One lamp controlled from two different places. (Stair case wiring) b. Calling bell wiring c. Bright and Dim connections using 2 lamps and 2 Way switches 10. Fluorescent lamp wiring 11. Godown wiring &amp; Mainbox wiring 12. Measurement of Power &amp; Power factor using two watt meter methods 6CL011 ELECTRONIC DEVICES LAB 0 0 3 100 (COMMON TO ECE &amp; ETCE) 1. Study of circuit components &amp; equipment's( Component identification, color coding, checking diode, BJT, FET, study of CRO, Audio Oscillator, Multimeter, LCR meter). 2. Characteristics of Semiconductor diode and Zener diode. 3. Characteristics of CE Configuration. (h parameter determination) 4. Characteristics of CB configuration. 5. Characteristics of JFET. 6. Characteristics of CC configuration. 7. Characteristics of SCR &amp; UJT. 8. Characteristics of Diac &amp; Triac. 9. Characteristics of MOSFET. 10. Characteristics of Tunnel diode. 11. Characteristics of Photo transistor. 12. Characteristics of LDR. 13. Switching Characteristic of BJT. 14. Clippers and Clampers. 15. Voltage multipliers. SEMESTER III No Subject Code Subject Name *Periods/Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0032 Engineering Mathematics III 4 1 0 20 80 100 35 50 3 2 6C0026 Circuit Theory 4 1 0 20 80 100 35 50 3 3 6C0035 Electronic Circuits-I 4 1 0 20 80 100 35 50 3 4 6C0036 Engineering Electromagnetics 4 1 0 20 80 100 35 50 3 5 6C0037 Object oriented Programming 4 1 0 20 80 100 35 50 3 6 6C0038 Digital Systems 4 1 0 20 80 100 35 50 3 7 6C0053 Networks analysis and synthesis 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625350 Digital Lab 3 -- 50 50 25 25 2 9 625351 Circuits &amp; Networks Lab -- 50 50 25 25 2 10 625352 Electronic circuits-I Lab 3 -- 50 50 25 25 2 11 625353 Pspice Lab -- 50 50 25 25 2 SEMESTER III SI. No Subject Code Subject Name Page Number 1 6C0032 Engineering Mathematics III 34 2 6C0026 Circuit Theory 35 3 6C0035 Electronic Circuits-I 36 4 6C0036 Engineering Electromagnetics 37 5 6C0037 Object oriented Programming 38 6 6C0038 Digital Systems 39 7 6C0053 Networks analysis and synthesis 40 8 625350 Digital Lab 41 9 625351 Circuits &amp; Networks Lab 41 10 625352 Electronic circuits-I Lab 42 11 625353 Pspice Lab 42 6C0032 ENGINEERING MATHEMATICS III 4 1 0 100 (Common to ECE, EEE,E&amp;C,EIE, ETCE from the academic year 2006-2010 ) Unit I LAPLACE TRANSFORM (12) Transform of simple functions - Properties of transforms - Transform of derivatives and Integrals - Periodic functions - Periodic functions - Inverse transforms - Convolution theorem - Initial and final value theorems. Unit II APPLICATIONS OF LAPLACE TRANSFORMS (12) Application of transforms for solving of linear ordinary differential equations - Simultaneous Differential equations - Integral Equations Unit III COMPLEX VARIABLE (12) Analytic functions - Cauchy - Riemann equations in Cartesian and polar form - Properties of analytic functions - Construction of analytic functions - conformal mapping - standard types - bilinear Unit IV COMPLEX INTEGRATION (12) Cauchy's integral theorem, integral formula - Taylor's and Laurent's series (with out proof) - residues- Cauchy's residue theorem - contour integration around the circle and semicircular contour Unit V THEORY OF SAMPLING &amp; TEST OF HYPOTHESIS (12) Test of Hypothesis-large sample-test of significance-proportion-difference of proportions-single mean-difference of means and variances, small sample-students 't' test - single mean -difference of means -Fisher's test -difference of variances, exact sample -Chi square test -goodness of fit -independence of attributes. Total No of Periods:60 TEXT BOOK: 1. Engineering Mathematics by Dr.P.Kandasamy and other S.Chand&amp;co Reference books: 1. Engineering Mathematics by M.K. VENKATRAMAN, National Publications, Chennai 2. A Text Book on Engineering Mathematics by T.VEERARAJAN, Tata-McGraw Hill Publications,Chennai. 6C0026 CIRCUIT THEORY 4 1 0 100 (Common to EEE, E&amp;C, CSE and IT in the II Semester) (Common to ECE, EIE, ETCE in III Semester) (For the Students admitted from the academic year 2006-2007) UNIT I: NETWORK THEOREMS (12) Superposition Theorem - Reciprocity Theorem - Mill man's Theorem - Compensation Theorem, Thevenin's Theorem - Norton's Theorem -Maximum Power Transfer Therem-Tellegen's Theorem (All theorems based on both AC and DC circuits) UNIT II: TRANSIENTS (12) Time Domain Analysis - Step, Impulse and Ramp function - Transient response of RLC network with step input as forcing function - concept of complex frequency - Pole and Zeros plots - Driving point impedance and Transfer impedance. UNIT III: RESONANCE AND COUPLED CIRCUITS (12) Coupled circuits - coefficient of coupling - Analysis of coupled circuits - Single and double tuned circuits - critical coupling - frequency response of tuned circuits- Resonance in series and parallel circuits - Q factor, Band width of resonant circuit UNIT IV: NETWORK TOPOLOGY (12) Network Topology - Network Graph, Tree, and Cut sets - Tie sets -Cut set schedule - Tie set schedule- primitive impedance and admittance matrices - Application of network solutions - Duality and Dual Networks UNIT V: PSPICE CONCEPTS (12) Pspice- Introduction - DC Analysis and unit identification - AC and DC network Analysis - Circuit with variable resistor - Transient analysis- Frequency response - Resonant Circuit Analysis - Fourier analysis. Total No of periods: 60 TEXT BOOK: 1. Network Analysis and Synthesis: Sudhakar shyam Mohan, Tata MCGraw Hill,2000 2. Electrical Circuit Analysis: Soni Gupta, Dhanpatrai publications. REFERENCES 1. David.A.Bell,'Electric Cricuits', PHI, 6th Edition, 2004. 2. Circuit Theory: Joseph Edminister, Tata MCGraw Hill publications,2000 3. Electric Circuit theory: Arumugam, Khanna publications 4. Pspice for Electrical Engineering: M.H.Rashid, PHI Ltd,2004 6C0035 ELECTRONIC CIRCUITS - I 4 1 0 100 (Common with E&amp;C, ECE, ETCE, EIE Branches from the Batch 2006 - 10 onwards) UNIT- I RECTIFIERS AND POWER SUPPLIES (12) Half Wave Rectifier - Full Wave Rectifier - Bridge Rectifier - Performance of Rectifiers - Filters - Types of Filters - L, C, LC, ? Filters - Ripple Factor Calculation for C, L, LC and ? Filter - Regulators - Shunt and Series Voltage Regulator - IC Regulator - SMPS - Power Control using SCR UNIT- II BIASING CIRCUITS AND ANALYSIS OF SMALL SIGNAL BJT AMPLIFIERS (12) Biasing Circuit of BJT, DC Equivalent Circuit of BJT, DC and AC Load Lines, Stability Factor Analysis, Types of Amplifiers - Equivalent Circuits - Input-Output Characteristics - Small Signal Equivalent Circuit of Amplifier - Calculation of Gain, Input and Output Impedance of Various Amplifiers using h-Parameter UNIT -III ANALYSIS OF FET AMPLIFIERS (12) Small Signal Model of JFET and MOSFET - Source Bias Circuit for FET Voltage Divider Bias - Conversion of Biasing Circuits into CS, CG and CD Amplifiers - Analysis of the Different Biasing using Small Signal Model - MOSFET Biasing UNIT- IV LARGE SIGNAL AMPLIFIERS (12) Class A, B, C, AB and D Type of Operation - Efficiency of Class A Amplifier with Resistive and Transformer Coupled Load, Efficiency Class B, Complementary Symmetry Amplifiers - Distortion in Power Amplifiers - Thermal Stability of Power Amplifier. UNIT -V FREQUENCY RESPONSE AND MULTISTAGE AMPLIFIERS (12) Low Frequency Equivalent Circuit and Miller Effect Response of BJT and JFET Amplifiers - HF Response of BJT and JFET Amplifier Multi Stage Amplifier and Direct Coupled Amplifier - RC Coupled Amplifier - Transformer Coupled Amplifier - Cascode Amplifier - Cascade Amplifier - Darlington Emitter Follower - Bootstrap Amplifier TOTAL NUMBER OF PERIODS: 60 TEXT BOOK: 1. Jacob Millman and C. Halkias, "Electronic devices and circuits", McGraw Hill,1996 2. G.K.Mithal "Electronic devices and circuits" Khanna Publications,2004,23rd edition REFERENCE BOOKS: 1. Donald. L, Schilling and C.Belove, "Electronic Circuits - Discrete and Integrated", Third Edition, McGraw hill. 2. David A. Bell, "Electronic Devices And Circuits", Phi, 1998 3. J.B Gupta "Electronic devices and circuits" Katson publication 2006 K. S. 4. Salivahan ," Electronic Devices And Circuits" TMH,1998 6C0036 ENGINEERING ELECTROMAGNETICS 4 1 0 100 (COMMON TO ECE, ETCE, E&amp;C BRANCHES FROM THE BATCH 2006 - 10 ONWARDS) UNIT 1 STATIC ELECTRIC FIELD-I (12) Coordinates systems-Rectangular, Cylindrical, Spherical, Review of vector analysis-Divergence theorem-Curl of a vector field-Stokes theorem-Helmholtz theorem-Fundamental postulates of electrostatics in free space-Coulombs law-Electric field intensity-Electric field intensity due to charge distribution-Electric dipole-Conductors in an electric field-Dielectric in electric field-semiconductor in electric field-Energy stored in an electric field-Boundary condition-Capacitors and Capacitance UNIT -II STATIC ELECTRIC FIELD - II (12) Solution of Electrostatic problems -Poisson and Lap lace's equations-Uniqueness of electrostatic solutions-Method of images-Current density-Ohms law-Electromotive force and Kirchoff's voltage law-Equation of continuity and Kirchoff's current law-Power dissipation and joule's law-Boundary conditions for current density-Resistance calculations. UNIT-III MAGNETOSTATICS (12) The biort savart law-Amperes force law-Magnetic torque-Magnetic Vector Potential -Magnetic field intensity and Amperes circuital law-Magnetic materials-Magnetic scalar potential-Boundary condition for Magnetic fields-Energy in magnetic field-Magnetic circuits. UNIT-IV TIME VARYING ELECTROMAGNETIC FIELDS (12) Motional Electromotive Force-Faradays law of induction-Maxwell's equation from faraday's law-Self inductance-Mutual inductance-Inductance of coupled coils-Energy in a magnetic field-Maxwell's equation from ampere's law-Maxwell's equation from gauss law-Maxwell's equation in differential and integral forms-Maxwell's equation and boundary condition. UNIT-V PLANE WAVE PROPAGATION (12) Poyntings theorem-Time harmonic fields-General Wave equation- Plane wave free in free space -Plane wave in a good conductor-Plane wave in a good dielectric-Polarization of a wave-Normal incidence of uniform plane waves-Oblique incidence on a plane boundary. Total No of Periods: 60 TEXT BOOK: 1. William H.Hayt,Engineering Electromagnetics-McGraw Hill book.Edition 2. David K.Cheng,Fields and wave electromagnetics-Addission Wesley,1999. REFERENCE BOOKS: 1. Guru&amp;Hiziro glu,Electromagnetic field Theory Fundamentals,publishing house. 2. K.A.Gangadhar-Field theory-Khanna publishers, 1998 3. Edward Jordan,Keith, G.Balmain, Electromagnetikc waves and radiating system, second edition , PHI 6C0037 OBJECT ORIENTED PROGRAMMING 4 1 0 100 (Common to ECE, EEE,ETCE Branches) UNIT I OOPS CONCEPTS (12) Need for object oriented programming-Problems with structured programming-object oriented approach-characteristics of object oriented languages-Relationship between C and C++ . Basics of C++ programming-Using Turbo C++(General introduction including 2 practical session to use editor, compiling, linking, analyzing types of error). -Basic program constructions -functions-program statements-output using cout- Input with cin-Preprocessor directives- Declaration and definition of variables (Integer, Character and Float) Manipulators-type conversion operator overloading-Library functions. UNIT II GENERAL CONCEPT IN C++ PROGRAMMING (12) Loops-For loop-While loop-Do while loop-Decision-If else-switch-conditional operator-Logical operators-And, Or Not control statements, break, continue, arrays and strings. UNIT III STRUCTURES AND FUNCTIONS (12) Structures-specifying the structures-Defining a structure variable-accessing structure members-structures within structures-enumerated data types.Functions-simple functions, Passing arguments to functions, returning values from functions-reference arguments-overload functions-inline functions-default arguments-variables and storage classes. UNIT IV OBJECT ORIENTED PROGRAMMING CONCEPTS (12) Objects and Classes - Constructors - objects and function arguments - returning objects from functions - inheritance - derived class and base class - Class hierarchy - Public and private inheritance - multiple inheritance Pointers-addresses and pointers-pointers and arrays - pointers and functions-pointers and strings - new and delete operators-pointer to objects-linked list-pointers to pointers.. UNIT V ADVANCED TOPICS IN C++ (12) Virtual functions-Friend functions -Static functions-This pointer Streams-Strings input output -Character input output-Object input and output-input output with multiple object-file pointers-disc input output with number functions-error handling-redirection Tc++grapics-text mode graphic functions-graphics mode graphic functions-colors-rectangles and lines-polygons and inheritance-sound and motion Total No of Periods: 60 TEXT BOOK: 1.Robert Laffore -OOPs in Tc++ REFERENCE BOOKS: 1.Balaguruswamy-OOPs 2.Barkakarti-Oops 6C0038 DIGITAL SYSTEMS 4 1 0 100 (COMMON TO ECE, ETCE, EEE BRANCHES FROM THE BATCH 2006 - 10 ONWARDS ) Unit I DIGITAL CONCEPTS, NUMBER SYSTEMS, BOOLEAN SWITCHING ALGEBRA (12) Introduction to Number Sytems,Positonal Number systems,Number system conversion.Binary codes-Arithmetic codes -Binary logic functions-Switching Algebra-Functionally complete operation sets-reduction-of switchinge equations using Booleanalgebra-Ralization of switching function-Definition of gate networks. Unit II DESIGN OF COMBINATIONAL LOGIC (12) Minimal two level networks-Karnaugh maps-Minimization of Pos &amp; Sop -design of multiple output two level gate networks-two level NAND-NAND and NOR-NOR networks-Limitations -Programmable modules-PLAs and PALs Unit III ARITHMETIC AND STANDARD COMBINATIONAL MODULE AND NETWORKS (12) Binary decoders and encoders -priority encoders-Multiplexers-MUX as universal combinational modules-De multiplexer-Shifters.Adder modules for policies integers-ALU module and networks comparator modules-Multiplexers Unit IV SEQUENTIAL CIRCUITS (12) Flip flops-SR-JK,D and T flip flops,Master-slave flip flops, characteristics and excitation table-shift registers-counters-synchronous and asynchronous -Mod counters,UP'down counters.Problem formulation-State minimization-State equation-Implication table-Compatible states-Flow table-State assignment-Hazards, races and cycles-Circuit implementations Unit V LOGIC FAMILIES &amp; MEMORIES (12) Classification &amp; characteristics of logic family-Bipolar logic family-saturated logic family-RTL, DTL, DTCL, I2L, TTL, HTL -Non saturated family-Schottky TTL , ECL -Unipolar family - MOS,CMOS-Comparison of logic families- memories -RAM,ROM,PROM,EPROM, SRAM,DRAM, CCD-PAL,PLA Total No of Periods: 60 TEXT BOOK: 1. Digital Design-Morris Mano, Prentice hall 2. R.P.Jain, Modern digital electronics-TMH,1998 REFERENCE BOOKS: 1. Introduction to digital systems Milos Ercegovac, Jomas Lang-Wiley pub 2. John M.yarbrough, Digital logic Applications and design-Publishing House. 3. Digital Electronics-William H.Gothmann 4. Floyd and Jain , Digital fundamentals 8th edition Pearson education 6C0053 NETWORK ANALYSIS AND SYNTHESIS 4 1 0 100 (Common to ECE,ETCE BRANCHES FROM THE BATCH 2006 - 10 ONWARDS ) Unit I NETWORK FUNCTION AND ITS PARAMETERS (12) Network functions-driving point impedance-transfer function-poles and zeros-significance of poles and zeros-determination of network functions of one port and two port network-network parameter-Z, Y, h &amp; ABCD-conditions of reciprocity-parameter conversion. Unit II TWO PORT NETWORKS (12) Image parameters-iterative parameters-image and iterative parameters. In terms of open circuits and short circuit network-parameters of important Networks- Lattice network- I network-PI network-Twin network-Network conversions Barlett bisection theorem and its application interconnection of two port Networks. Unit III SYNTHESIS OF LC, RL &amp;RC NETWORKS (12) Hurwitz polynomial-Routh criterion-Positive Real function-Elementary synthesis procedure-properties of LC,RL,RC and RLC network using foster and cauer forms-constant resistance network-synthesis of transfer admittance and transfer impedance with one ohm resistance. Unit IV FILTERS (12) Filter-Constant low pass filter-High pass-Band pass -Band stop Filter- m-derived filters-Terminating Half-Section-Compose filter -Lattice filter-Crystal Filter-butterworth and chebyshev filter and its properties. Unit V ATTENUATORS AND EQUALIZERS (12) Attenuators-Symmetrical and Asymmetrical-T and PI Attenuators-Design of Attenuators-Equalizers type-Series and Shunt Equalizers -constant Resistance Equalizers-types of simple four terminal Equlizers-Full series equalizers-full shunt equalizers,bridged- T- Equalizers and lattice Equlizers-Characteristics of Equalizers. Total No of Periods: 60 TEXT BOOK: 1. Circuits and Networks-Sudhakar and Shyammohan 2. Networks Lines and Fields ,by John D.Ryder PHI Publication REFERENCE BOOKS: 1. Network Analysis and synthesis-KUO 2. Network Analysis -Van Valkenburg 3. Electric Circuits and Analysis-Soni and Gupta 4. Network analysis and synthesis-Umesh Sinha 625350 DIGITAL LAB 1. Adder and subtractor 2. 4 bit Adder and Subtractor 3. Code Converter 4. Comparator 5. Parity generator and checker 6. Multiplexer and Demultiplexer 7. Encoder and Decoder 8. Counter 9. Shift Register 625351 CIRCUITS AND NETWORK LAB 1. Verification of KCL &amp; KVL 2. Verification of Thevenin's and Norton's theorem 3. Series and parallel resonance 4. Constant K-filters(lpf,hpf) 5. M derived filters (lpf,hpf) 6. Attenuators 7. Equalizers 8. Matching network 9. Twin T network as notch filter 625352 ELECTRONICS CIRCUITS-I LAB Designing, Simulation using PSPICE,Assembling and testing 1. transistor biasing and stabilization 2. HWR with and without filters 3. FWR with or without filters 4. Voltage regulators 5. RC coupled amplifier(single and two stage) 6. Darlington amplifier 7. FET amplifier 625353 PSPICE LAB 1. transistor biasing and stabilization 2. HWR with and without filters 3. FWR with or without filters 4. Voltage regulators 5. RC coupled amplifier(single and two stage) 6. Darlington amplifier 7. FET amplifier SEMESTER IV No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0054 Engineering Mathematics IV 4 1 0 20 80 100 35 50 3 2 6C0096 Measurements &amp; Instrumentation 4 1 0 20 80 100 35 50 3 3 625401 Advanced Object oriented Programming 4 1 0 20 80 100 35 50 3 4 6C0056 Electronic Circuits -II 4 1 0 20 80 100 35 50 3 5 625402 Principles of Digital signal processing 4 1 0 20 80 100 35 50 3 6 6C0039 Analog Communication 4 1 0 20 80 100 35 50 3 7 6C0059 Transmission lines and waveguides 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625450 Object oriented Programming Lab 3 -- 100 100 50 50 3 9 625451 Electronics Circuits II Lab 3 -- 50 50 25 25 2 10 625452 Digital signal Processing Lab -- 50 50 25 25 2 L = Lecture, T = Tutorial / Seminar, P = Practical / Project SEMESTER IV SI. No Subject Code Subject Name Page Number 1 6C0054 Engineering Mathematics IV 44 2 6C0096 Measurements &amp; Instrumentation 45 3 625401 Advanced Object oriented Programming 46 4 6C0056 Electronic Circuits -II 47 5 625402 Principles of Digital signal processing 48 6 6C0039 Analog Communication 49 7 6C0059 Transmission lines and waveguides 50 8 625451 Electronics Circuits II Lab 51 9 625452 Digital signal Processing Lab 51 10 625450 Object oriented Programming Lab 52 6C0054 ENGINEERING MATHEMATICS IV 4 1 0 100 (COMMON TO ECE, EEE,E&amp;C,EIE, ETCE, BRANCHES FROM THE BATCH 2006-10 ONWARD ) UNIT - I FOURIER SERIES (12) Euler's formula - Dirichlet's condition convergence statement only - change of interval - odd and even functions. Half range series - RMS value - Parseval's formula - complex form of fourier series - harmonic analysis. UNIT - II PARTIAL DIFFERENTIAL EQUATIONS (12) Formations of equations by elimination of arbitrary constants and arbitrary function - solutions by equation - general, particular and complete integrals - Lagrange's linear equation - standard type of first order equations - second order and higher order equations with constant coefficients, homogeneous and non-homogeneous equations. UNIT-III ONE-DIMENSIONAL WAVE EQUATION AND HEAT EQUATION (12) Derivation of one-dimensional wave equation - transverse vibration of finite elastic string with fixed ends - boundary and initial value problems - fourier series solution. Derivation of one-dimensional heat equation - steady and unsteady states - boundary and initial value problems - fourier series solution. UNIT - IV TWO DIMENSIONAL HEAT EQUATION (12) Two dimensional heat equation - steady state heat flow in two dimensions - Laplace equation in Cartesian and polar (annulus including) fourier series solution. UNIT - V FOURIER TRANSFORM (12) The infinite fourier transform - sine and cosine transforms - properties - inversion theorem - finite fourier transforms - sine and cosine transforms - convolution theorem - Parseval's identity - Transform of derivatives. Total No of Periods: 60 TEXT BOOK: 1. Engineering Mathematics by Dr.P.Kandasamy REFERENCE BOOKS: 1. Engineering Mathematics by M.K. VENKATRAMAN, National Publications, Chennai 2. A Text Book on Engineering Mathematics by T.VEERARAJAN, Tata-McGraw Hill Publications,Chennai. 6C0096 MEASUREMENTS AND INSTRUMENTATION 4 1 0 100 ( Common to EEE / ECE / ETCE from 2006 Batch onwards) Unit-I Introduction and sources (12) Measurement - Instrument - Instrumentation - Performance Characteristics - static Characteristics - Dynamic Characteristics - Errors in Measurement - Gross Errors - Systematic Errors - Statistical Analysis of Random Errors - Calibration and Standards - Process of Calibration. AF signal Generators - Function Generators - RF Generators - Sweeep Frequency Generators. Unit-II Transducers and Bridges (12) Introduction - Classification of Transducers - Resistive Transducer - Strain Gauges - Inductive transducer - Variable Inductance type Transducer - Linear variable Differential transducer(LVDT) - Capacitive transducer ( Pressure ) - Load cell (Pressure cell) - Piezo electric transducer - Digital Transducer - Thermoelectric transducer - Thermistor - Thermocouple - Radiation Pyrometer - Interfacing transducer to measurement systems - IEEE488. Bridge circuits - Wheatstone bridge - Kelvin's Double Bridge - Maxwell's Inductance Capacitance Bridge - wein's Bridge Unit III Analog Instruments (12) Introduction - Classification of instruments - D'Arsonval Galvanometer - Measurement of Current and voltage - Permanent magnet moving coil Instruments - moving Iron - DC potentiometer network - ohmmeter - VOM meter - Cathode ray oscilloscope - Storage Oscilloscope. Unit IV Digital Instruments (12) Digital Storage Oscilloscope - Digital Voltmeters - Types - Automatic polarity indication, automatic ranging, auto zeroing - Digital Multimeter - Frequency Counters - Digital method for measuring frequency, period, phase difference, pulse width, time interval, total count Unit V Storage and Display Instruments (12) Electromechanical servo type XT &amp; XY recorders - Optical Galvanometer Oscillographs - Sampling CRO - Dual Trace Oscilloscope - Magnetic Tape and Disk Recorders/Reproducers - Speech Input-Output Devices - LED, LCD &amp; Dot Matrix display - Wave analyzer - Applications - Harmonic distortion analyzer - Spectrum analyzer - Applications Total No of Periods:60 Text Book: 1. A.K. Sawhney: A Course in Electrical and Electronic Measurements and Instrumentation 17th edition (2000) Dhanpatrai &amp; Co New Delhi Reference Books :- 1. A.J. Bouwens, 'Digital Instrumentation', Tata McGraw Hill, 1997. 2. Albert D. Helfrick &amp; William D. Cooper, 'Modern Electronic Instrumentation &amp; Measurement Techniques', Prentice Hall of India, 2002. 3. C.S.Rangan, G.R.Sarma, V.S.V.Mani, Instrumentation Devices &amp; Systems, Tata Mcgraw-hill. 4. H.S.Kalsi, Electronic Instrumentation, Tata Mcgraw-hill. 5. Ernest O.Doebelin, Measurement systems Application and Design, TMH 6. D.V.S.Murty, Transducers and Instrumentation, Prentice Hall of India. 7. D. A. Bell, 'Electronic Instrumentation and Measurements', Prentice Hall of India, 2002. 625401 ADVANCED OBJECT ORIENTED PROGRAMMING 4 1 0 100 UNIT I (12) History of Java- Java Byte code- Buzz words - compiling and running the Java program - Fundamental programming structure in Java - Data Types - Arrays - Variables - Operators - Control Statements. UNIT II (12) Introduction to classes - Constructors - 'this' keyword - Overloading methods - Inner class - Command Line Arguments - Inheritance - Abstract Classes - String Handling UNIT III (12) Package and Interfaces - Access protection - Importing Packages - Interfaces - Exception handling - Multithreaded programming. UNIT IV (12) Applet classes - Applet Architecture - Applet Skeleton - HTML applet tag - Event Handling - Event classes - Event Listener interfaces- Adaptor classes. UNIT V (12) Introduction to AWT - Working with frame windows - Graphics - Fonts and Text - AWT control - Layout Manager - Menus - Dialog boxes. Input and Output streams - Stream classes - byte streams - character streams. Total No of Periods:60 Text Book: 1. Herbert Schildt - the complete Reference Java 2 - Tata Mc Graw Hill- 2002. Reference Books: 1. Patrick Naughton - The complete Reference Java 2 - Tata Mc Graw Hill- 2000. 2. Thinking in Java - Bruce Eckel - Pearson Education - 2000. 3. Programming in Java - Balaguruswamy.E 6C0056 ELECTRONIC CIRCUITS - II 4 1 0 100 (Common with E&amp;C, ECE, ETCE, EIE Branches from the Batch 2006 - 10 onwards) UNIT- I FEEDBACK AMPLIFIER (12) Types of Feedback - Effect of Feedback Amplifier on Noise, Distortion Gain, Input and Output Impedance of the Amplification, Analysis of Voltage and Current Feedback Amplifier UNIT- II OSCILLATORS (12) Barkhausen Criterion for Oscillation in Feedback Oscillator - Sinusoidal Oscillator - Phase Shift Oscillator - RC and Wien Bridge Oscillator - Analysis of LC Oscillator, Colpitts, Hartley, Clap, Armstrong Oscillator, Crystal Oscillator. Oscillator and Clock Generator Circuits Using Logic Gate Amplifier UNIT -III TUNED AMPLIFIERS (12) Resonance Circuits, Unloaded and Loaded Q of Tank Circuit - Bandwidth - Types of Tuned Amplifiers - Analysis of Single Tuned Amplifier - Double Tuned Stagger Tuned Amplifier - Instability of Tuned Amplifier - Stabilization Techniques, Neutralization and Unilateralization - Class C Tuned Amplifiers and their Application. UNIT -IV WAVE SHAPING CIRCUIT (12) High Pass and Low Pass RC Circuits and their Response for Sine, Step, Pulse, Square, Ramp and Exponential Input Multivibrators - Astable Multivibrators - Emitter and Collector Coupled Monostable, Bistable Multivibrators, and Schmitt Trigger Circuits. UNIT- V SWEEP CIRCUIT AND BLOCK OSCILLATORS (12) Principle of Time Based Generator - Voltage Time Based Generator - Bootstrapped and Miller Saw Tooth Generator - Current Time Based Generator - Monostable and Astable Blocking Oscillator using Emitter Based Timing - Central Wing Core Saturation - Push-Pull Operation of Blocking Oscillator TOTAL NUMBER OF PERIODS: 60 TEXTBOOK: 1. David A. Bell, "Solid State Pulse Circuits", PHI, 1998 2. Electronics devices and circuits by salivahanan, Tata Mcgrawhill REFERENCE BOOKS: 1. Millman .J And Taub. H, "Digital and Switching Waveform", McGraw Hill, 1987 2. R. Venkatraman, "Pulse, Digital Circuits and Computer Fundamentals". 3. Jacob Millman and C. Halkias, "Integrated Electronics, Analog and Digital Circuits and Systems", McGraw Hill, 1997. 625402 PRINCIPLES OF DIGITAL SIGNAL PROCESSING 4 1 0 100 UNIT I CLASSIFICATION OF SIGNALS &amp; SYSTEMS (12) Continuous time signals (CT signals), discrete time signals (DT signals) - Step, Ramp, Pulse, Impulse, Exponential, Classification of CT and DT signals - CT systems and DT systems, Classification of systems - Linear Time invariant Systems. Spectrum of C.T. signals - Sampling-Aliasing. UNIT II TRANSFORMS (12) Fourier series analysis- Fourier transform for CT signals-Properties- Inverse Fourier Transform, Z-transform-Properties- Inverse Z transform-Region of Convergence-Relationship between Z and Fourier transform. UNIT III FIR FILTERS (12) Design of Filters - Frequency selective filters - Discrete Fourier transforms and Properties - Linear filtering- Structures for FIR - Design of FIR filters - Using windows - Frequency sampling - Linear phase FIR filters. UNIT IV IIR FILTERS (12) Structure for IIR - State Space Analysis - Round of Effects in digital filters - Design of IIR filter - Impulse invariance - Bilinear transformation Weiner filters - Design of IIR filters in frequency domain UNIT V DFT &amp; FFT ALGORITHMS (12) Discrete Fourier Transform Definition-Properties, Convolution of sequences- Linear convolution. Introduction to radix-2 FFT-Properties-Decimation in time and frequency.Computing inverse DFT by doing direct DFT. TOTAL NUMBER OF PERIODS: 60 TEXT BOOK: 1. Digital Signal Processing by Ramesh Babu 2. Digital signal processing principle algorithm and application by John G.proakis Dimitiris G.manolakis Pearson education third education REFERENCE BOOKS: 1. Alan Oppenheim V., Ronald Schafer W., "Discrete Time Signal Processing", Pearson Education India Pvt Ltd., New Delhi, 2002. 2. Simon Haykin and Barry Van Veen, " Signals and Systems ", John Wiley &amp; Sons Inc., 1999 3. Sanjit K.Mitra, "Digital Signal Processing", Tata McGraw Hill, New Delhi, 2001. 4. Rabiner L.R. and C.B.Gold, Theory of applications of digital signal processing-Prentice Hall of India,1987.35 6C0039 ANALOG COMMUNICATION 4 1 0 100 (Common to ECE, ETCE Branches from the batch 2006 - 10 onwards) Unit 1 AMPLITUDE (LINEAR) MODULATION (12) Model of a communication systems-Need for modulation in communication systems-Virtues, Limitations &amp; modifications of amplitude modulation- AM , DSB -SC AM ,SSB SC AM , VSB AM -mathematical representation - Frequency spectrum-bandwidth , power relations - Modulators- Square law , product , switching and balanced modulators- Transistor linear modulators - AM transmitter -Master oscillator, privacy equipment , aerial coupling circuits - Comparison of linear modulation systems Unit II EXPONENTIAL (NON LINEAR) MODULATION (12) Frequency and Phase modulation-mathematical representation of single tone and multi tone modulation - Frequency and bandwidth of FM signal - Narrow band &amp; Wide band FM -Generation of FM signals -Varactor diode modulator - Reactance tube modulator - Armstrong modulator --Direct &amp; Indirect FM transmitter - Comparison with linear modulation systems. Unit III DETCTORS &amp; RECEIVERS (12) Principle of AM Detectors -Square law detector -Envelope detectors- Synchronous Detectors - Coastas PLL scheme - Demodulation of FM signals - Balanced Slope detector , Foster seely discriminator , Ratio detector - Pre emphasis &amp; De emphasis - Receivers - Classification of receivers - TRF receiver , Superhetrodyne receiver - Choice of IF , tracking , AGC , AFC- High frequency Communication Receivers -Characteristics of receivers Unit IV PULSE MODULATION (12) Introduction - Pulse modulation - sampling theorem - types of pulse modulation - PAM , PDM , PPM - Modulation &amp; Demodulation circuits - Synchronization &amp; cross talk - multiplexing - TDM , FDM &amp; Quadrature multiplexing - Comparison of multiplexing UNIT V NOISE IN COMMUNICATION SYSTEMS; (12) Introduction -Internal &amp; External noise -Noise figure , Noise temperature , Noise in cascaded system , Noise in amplifires - Narrow band noise - Noise in AM system with carrier , DSB SC AM , SSB SC AM , VSB AM system - Envelop detection &amp; Synchronous detection - Noise in FM system , threshold effect - FMFB technique - Noise in PM system - Noise in pulse modulation systems TOTAL NUMBER OF PERIODS: 60 TEXT BOOK: 1. Principles of Communication Engineering by Anokh Singh SChand &amp;company 1994 edition 2. Kennedy , Davis Electronic communication systems TMH REFERENCE BOOKS: 1. Simon Haykin Communication systems Wiley eastern Ltd 2. R.P Singh, S D Spade Communication systems analog &amp;digital TMH 6C0059 TRANSMISSION LINES AND WAVEGUIDES 4 1 0 100 (Common to ECE, ETCE Branches from the batch 2006 - 10 onwards ) UNIT -I TRANSMISSION LINE THEORY (12) General theory of transmission line-Transmission line equation-Physical significance of the equations-The infinite line-Wave length-Velocity of propagation-Distortion in a line -Distortion less line-Telephone cables-Loading of lines -Types of loading-Campbell's formula -General equation for line with any termination -Input impedance - Open and short circuited line. UNIT -II RADIO FREQUENCY TRANSMISSION LINES (12) Introduction - Parameters of open wire line at radio frequency-Parameters of coaxial lines at radio frequencies-Constants for the line of zero dissipation-Voltages and currents on the dissipation less lines- input impedance of a loss less line-Reflection-Reflection coefficient .-Reflection loss- Reflection factor-Standing wave ratio-Input impedance in terms of reflection coefficient. -Power and impedance measurements on line. UNIT - III MATCHING AND MEASUREMENTS (12) Types of transmission line sections -Half wave line- eight wave lines-Quarter wave line-location of V max and V min - Impedance matching-Single and double stub matching -Smith chart-Solutions of problems using smith chart-Applications of smith chart-Properties of quarter wave transformer - Measurement of line parameters-Measurement of VSWR ,Wavelength ,impedance and power. UNIT-IV ELECTROMAGNETIC WAVES (12) Review of wave equation Waves between parallel planes -transverse electric waves- transverse magnetic waves - Characteristics of TE and TM waves- Transverse electromagnetic waves- Velocities of propagation - Attenuation in parallel plane waves -wave impedance UNIT -V GUIDED WAVES AND WAVEGUIDE THEORY (12) Rectangular wave guides- TE and TM waves in rectangular wave guides- Dominant mode - Cut off frequency in waveguides - Impossibility of TEM waves in wave guides - Circular wave guides -TE and TM waves in circular wave guides -Wave impedance and characteristic impedance - power flow in wave guides - Attenuation factor and Q of wave guides-Transmission line analogy for wave guides. TOTAL NUMBER OF PERIODS: 60 TEXT BOOK: 1. Network lines and fields - John D Ryder 2. Transmission lines and networks - Umesh Sinha Reference Books 1. Antenna and wave propagation by K.D.Prasad 2. Electro magnetic waves and radiating systems - Edward Jordan and K.G.Balmin 3. Microwave engineering - Annapurnadas, Sisir K Das 625451 - ELECTRONICS CIRCUITS -II LAB LIST OF EXPERIMENTS: 1. Voltage Feedback Amplifier 2. Hartley Oscillator 3. Colpitts Oscillator 4. RC Phase Shift Oscillator 5. Class A Single Tuned Amplifier 6. Mono Stable Multivibrator 7. Astable Multivibrator 625452 DSP LAB 1. Study of Matlab 2. Convolution 3. Correlation 4. Generation DFT and IDFT Sequences 5. Butterworth Filters 6. Chebyshev Filters 7. Band pass Filter using Rectangular and Hamming Window 8. Frequency Response of Low Pass filter using Kaiser window 625450 - OBJECT ORIENTED PROGRAMMING LAB LIST OF EXPERIMENTS 1. Study of object oriented design of any application 2. Program to explore the use of class with constructors and destructors 3. a) Program to explore friend functions b) Program to explore friend classes 4. a) Program to implement operator overloading b) Program to implement function overloading 5. Program to use templates 6. a) Program to implement multiple inheritance b) Program to implement multilevel inheritance 7. a) Program to copy the contents of one file to another b) Program to merge two files into the third file SEMESTER V No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0079 Applied Numerical Methods 4 1 0 20 80 100 35 50 3 2 6C0080 Analog Integrated Circuits 4 1 0 20 80 100 35 50 3 3 6C0055 Control system 4 1 0 20 80 100 35 50 3 4 6C0086 Microprocessors, Interfacing &amp; Applications 4 1 0 20 80 100 35 50 3 5 625501 Advanced Digital Signal Processing 4 1 0 20 80 100 35 50 3 6 6C0098 Digital Communication 4 1 0 20 80 100 35 50 3 7 6C0097 Antennas &amp; Propagation 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625550 Advanced Digital Signal Processing Lab 3 -- 50 50 25 25 2 9 625551 Linear Integrated Circuits Lab -- 50 50 25 25 2 10 625552 Microprocessors Lab 3 -- 50 50 25 25 2 11 625553 Communication I Lab -- 50 50 25 25 2 SEMESTER V SI. No Subject Code Subject Name Page Number 1 6C0079 Applied Numerical Methods 54 2 6C0080 Analog Integrated Circuits 55 3 6C0055 Control system 56 4 6C0086 Microprocessors, Interfacing &amp; Applications 57 5 625501 Advanced Digital Signal Processing Lab 58 6 6C0098 Digital Communication 59 7 6C0097 Antennas &amp; Propagation 60 8 625550 Advanced Digital Signal Processing Lab 61 9 625551 Linear Integrated Circuits Lab 61 10 625552 Microprocessors Lab 62 11 625553 Communication I Lab 62 6C0079 APPLIED NUMERICAL METHODS 4 1 0 100 (Common to ECE, EEE, E&amp;C,ETCE, EIE from 2006 Batch onwards ) UNIT-I (12) Curve fitting - Method of Group Average- Principle of Least squares-Method of Moments-Finite Differences-Operators E and D - Relationship between the operators. UNIT-II (12) Interpolation-Newton and Lagrange's method-Numerical Differentiation and Integration-Trapezoidal and Simpson's rule-Finite Difference Equations UNIT-III (12) The Numerical solution of Algebraic and Transcendental Equations-Regula Falsi method-Newton Raphson method-Graeffe's Root square method-simultaneous Linear Algebraic equations-Gauss-Jordan method-Crout's method-Gauss-Siedal method-Relaxation method. UNIT-IV (12) Numerical solution of Ordinary Differential equations-Taylor's series-Modified Euler's method-Runge Kutta method of fourth order-Predictor-Corrector methods-Milne's method-Adam Bashforth method. UNIT-V (12) Numerical solution of Partial Differential equations-Classification-Elliptic Equation-Poisson's equation-Liebmann's iteration procedure-Parabolic equation-Bender Schmidt scheme-Crank-Nicholson scheme-Hyperbolic equations. Total No of Periods: 60 Text Book: 1. Numerical Methods, P.Kandasamy and others S.Chand &amp;Co, New Delhi. REFERENCES: 1. Numerical Methods for Science and Engineers, Dr.M.K.Venkatraman National Publishing Company, Chennai. 6C0080 ANALOG INTEGRATED CIRCUITS 4 1 0 100 (Common to ECE, ETCE, EEE from 2006 Batch onwards ) UNIT I CIRCUIT CONFIGURATION FOR LINEAR ICS: (12) Current sources, Analysis of difference amplifiers with active loads, supply and temperature independent biasing, Band gap references, Monolithic IC operational amplifiers, specifications, frequency compensation, slew rate and methods of improving slow rate. UNIT II APPLICATIONS OF OPERATIONAL AMPLIFIER: (12) Linear and non linear circuits using operational amplifiers and their analysis, inverting and Non inverting amplifiers, Differentiator, Integrator, Voltage to current converter, Instrumentation amplifier, Tuned amplifier , Sine wave Oscillators, Low pass and band pass filters, Comparator, Multivibrator and Schmitt trigger, Triangular wave generator, Precision rectifier, Log and Antilog amplifiers, Non linear function generator. UNIT III ANALOG MULTIPLIER AND PLL (12) Analysis of four quadrant and variable Tran conductance multipliers, voltage controlled oscillator, closed loop analysis of PLL, AM, PM and FSK modulators and demodulators, Frequency synthesizers, Compander ICs. UNIT IV A/D &amp; D/A CONVERTERS (12) Analog switches, High speed sample and hold circuits and sample and hold ICs, Types of D /A converter Current driven DAC, switches for DAC. A/D converter, Flash, Single slope, Dual slope, Successive approximation, DM and ADM, voltage to time and voltage to frequency converters. UNIT V SPECIAL FUNCTION IC 'S: (12) Timers, Voltage regulators - linear and switched mode types, switched capacitor filter, frequency to voltage converters, Tuned amplifiers, Power amplifiers and Isolation amplifiers, Video amplifiers, Fiber optics ICs and opto couplers, Sources of Noises, Op amp noise analysis and Low noise op-amps. Total No of Periods: 60 TEXT BOOKS: 1. Gray and Meyer,'Analysis and design of analog integrated circuits', Wiley international,3rd edition 2. Roy Choudhary, 'Linear Integrated circuits ' New Age Publication. 2nd edition REFERENCE BOOKS : 1. Sergio Franco, 'Design with operational amplifiers and analog integrated circuits,MGH 2. Ramakant A.Gayakwad, 'OP-AMP and linear ICs', Pearson Education Ltd 4 th edition 3. Caughlion and Driscoll, Operational amplifiers and linear integrated circuits, Pearson Education Ltd 6th edition 2001 4. Millman.J and Halkias.C.C 'Integrated Electronics', McGraw Hill, 1972 5. J.Michael Jacob, 'Applications and design with analog integrated circuits', PHI1996 6C0055 CONTROL SYSTEMS 4 1 0 100 COMMON TO ECE, ETCE, E&amp;C, EIE, EEE ,CSE BRANCHES FROM THE BATCH 2006-10 ONWARDS ) Unit I : SYSTEM CONCEPTS (12) Types of system- open loop systems, closed loop systems, Basic elements in control system - Mathematical model of physical system: Differential equation - transfer functions and block diagrams of simple electrical networks - D.C and A.C servomotor - Mechanical system - Translational and Rotational system - Block diagram reduction techniques - Signal flow graphs - problems. Unit II: TIME RESPONSE ANALYSIS OF CONTROL SYSTEMS (12) Standard test signals, Time response of first and second order system, Time domain specifications, Generalized error series - Steady state error and error constants problems. UNIT III : FREQUENCY RESPONSE ANALYSIS (12) Frequency response of the system - correlation between time and frequency response - Gain and phase margin, Bode plot - Polar plot -Problems. UNIT IV : STABILITY OF CONTROL SYSTEM (12) Characteristics equation - Location of roots in S plane for stability - Routh Hurtwiz Criterion- Root locus construction - Nyquist stability criterion- Problems . UNIT V: COMPENSATION AND CONTROLLERS (12) Introduction to compensation networks - Lag , Lead and Lag - Lead Networks - Compensation Design - P, PI, PID Controllers design using Bode Plot - Problems. Total No of Periods:60 Text Books : 1. Ashok kumar "Control System" TMH Ltd 1st edition 2006 2. Kausuhio ogata, 'Modern control engineering', Prentice Hall of India Pvt, Ltd., 3rd edition, 1998, ISBN 81-203-1237-6 3. Smarajit ghosh, 'Control system theory &amp; Applications', Pearson Education, Publishers, 2nd edition 2005, ISBN 81-297-0446-3 Reference Books: 1. I.J Nagrath and M. Gopal, ' Contol systems engineering', New Age International(P) Limited, Publishers, 2nd edition 2. M.N Bandyo pathyaj, 'control engineering, theory and practice', PHI, Ist edition,2005. 3. N.K Sinha, 'Control systems', New Age Internatl (p) Limited, Publishers, 3rd edition 1998 4. Roy choudhury, 'Modern control engineering" Prentice Hall of India Pvt, Ltd., 2nd edition, 2005, ISBN 81-203-2196-0 5. Richard Dorf, 'modern control systems', Pearson Education Ltd, 8th Edition 2005 6C0086 MICROPROCESSOR, INTERFACING &amp; APPLICATIONS 4 1 0 100 ( Common to EIE / ECE / ETCE from 2006 Batch onwards) UNIT I INTRODUCTION TO 8085 (14) Intel 8085 Microprocessor Architecture-Signals - Addressing modes - Instruction classification - Instruction set - Timing diagram -ALP format -Programming 8085 - 8 bit and 16 bit operation including stack-Subroutine-Introduction to interrupt handling and related instructions-Trouble Shooting and debugging techniques. UNIT II INTERFACING CHIPS (10) PPI 8255 - Programmable keyboard display - Interface 8279 - Programmable interrupt controller 8259 - Programmable DMA controller 8257 - USART 8251 - Programmable interval timer 8253. UNIT III APPLICATION OF 8085 (12) Stepper motor control - Temperature control -ADC - DAC- 7-Segment display - Comparison of 8085 with Z80 &amp;6800 - Bus standards. UNIT IV 16 BIT PROCESSOR (12) Architecture of 8086- signals - addressing modes - minimum &amp; maximum mode of operation- Instruction set - Programs with 8086 UNIT V ADVANCED PROCESSORS (12) Over all view of 80286 - 80386 - 80486 - Introduction to Pentium family- MMX architecture and instruction set Total No of Periods: 60 TEXT BOOKS: 1. Ramesh Goankar- Microprocessor architecture programming and applications with 8085/8088,Penram International Publishing , Fifth edition 2. A.K.Ray &amp; Bhurchandi - Advanced Microprocessor,TMH Publication ,1st edition REFERENCE BOOKS: 1. Doughlas V. Hall - Microprocessors and Interfacing , Tata Mc Graw Hill, 2nd edition 2. Aditya Mathur - Microprocessor and Applications, Tata Mc Graw Hill, 2nd edition 3. Introduction to Microprocessor Ghosh &amp; Sridhar PHI 625501 ADVANCED DIGITAL SIGNAL PROCESSING 4 1 0 100 UNIT I AN OVERVIEW OF TMS320C54X (12) Introduction - Architecture of 54x, '54x buses - Internal memory organization - central processing unit - Arithmetic logic unit - Barrel shifter - Multiplier/Adder unit - Compare, Select and store unit - Exponent encoder - C54x pipeline - on chip peripherals - External Bus interface - Data Address Generation Logic- Program Address Generation Logic. UNIT II TMS320c54X ASSEMBLY LANGUAGE INSTRUCTION (12) Data addressing in C54X- Arithmetic Instruction -Move Instruction of 54X - Load/store instruction of 54x- Logical Instruction- Control Instruction - Conditional store Instruction - Repeat Instruction of 54x - Instruction for bit manipulations - some special control instruction - I/O instruction - Parallel instruction - LMS Instruction UNIT III DISCRETE RANDOM SIGNAL PROCESSING (12) Review of ensemble averages- Expectation, Variance and Co-variance, Autocorrelation -Properties, Cross correlation-Properties, Energy of discrete signals- Parseval's theorem, Power density spectrum and its Properties, Wiener Khintchine relation, Random Processes-Filtering a random process, Low pass filtering of White Noise. UNIT IV OPTIMUM FILTER AND ADAPTIVE FILTER (12) Wiener Filter-filtering and prediction, FIR wiener filter, Discrete Wiener-hopf equation, linear prediction,Levinson Recursion algorithm for solving toeplitz system of equations. Adaptive filters-FIR adaptive filter,Newtons Steepest Descent method, Sum decomposition theorem UNIT V MULTI RATE SIGNAL PROCESSING AND SPECTRUM ESTIMATION (12) Multirate Signal Processing: Interpolation, Decimation, single and multistage realization, Filter bank implementation, Applications-Sub band coding. Spectrum Estimation: Spectral Factorization Theorem, Periodogram, Barlett spectrum estimation, Welsh estimation, AR-MA-ARMA signal modeling. Total No of Periods:60 TEXT BOOK: 1. Monson Hayes, statistical DSP and modelling. WSE, 1st edition REFERENCES: 1. Sopoches J.Orfanidis, "Optimum Signal Processing", McGraw-Hill, 1990. 2. Coifman R.R, Daubechies I, Mallat S., Meyer Y., "Wavelets and their Applications", Jones and Bertel Publishers, 1992. 3. James V.Candy, "Signal Processing", McGraw-Hill, 1988. 4. Mischa Schwartz, "Leonard Shaw, Signal Processing Discrete Spectral Analysis Detection and Estimation", McGraw-Hill, 5. Proakis and Manolakis, Digital signal processing(Principles, Algorithm, and Application), Pearson education 3rd edition 6C0098 DIGITAL COMMUNICATION 4 1 0 100 (Common to ECE, ETCE from 2006 Batch onwards ) Unit I BASEBAND TRANSMISSION &amp; DETECTION (12) Formatting analog information - Sampling theorem, aliasing. Uniform and non - uniform Quantization. Base band modulation - waveform representation of binary digits. Signals and noise - error performance degradation in communication systems - demodulation/detection. Detection of binary signals in Gaussian noise. Matched filter, maximum likelihood receiver, Inter Symbol Interference.Equalisation - channel characterization and eye pattern. Unit - II BAND PASS TRANSMISSION &amp; DETECTION (12) Digital band pass modulation techniques - ASK, FSK, PSK, and QPSK. Detection of signals in Gaussian noise. Correlation receiver - coherent and non-coherent detection of PSK and FSK. Error performance for binary systems. Comparison of bit error performance of binary systems. M - ary signaling - Symbol error performance of M - ary systems - probability of symbol error for MPSK, MFSK. Effects of Inter Symbol Interference Unit - III SYNCHRONISATION (12) Approach and assumptions, Cost aspects, Receiver Synchronization - Frequency and phase synchronization, Symbol Synchronization - Discrete Symbol modulations, Synchronization with continuous phase modulation. Frame Synchronization, Network Synchronization - Open loop transmitter Synchronization, Closed loop transmitter Synchronization Unit - IV SPREAD SPECTRUM TECHNIQUES: (12) Attributes of spread spectrum systems, Pseudo noise sequences - randomness properties, shift register sequences, Direct sequence spread spectrum systems, Frequency hopping systems, Synchronization, Jamming considerations - broad band noise jamming, partial band noise jamming, multiple tone jamming, pulse jamming, repeat back jamming. Unit - V ENCRYPTION AND DECRYPTION (12) Models, goals and early cipher systems - model encryption and decryption, system goals. Secrecy of cipher systems - perfect secrecy, entropy and equivocation, ideal secrecy. Practical security - confusion and diffusion, substitution, permutation. Data encryption standard, Stream Encryption - Public key Encryption system. Total No Periods: 60 Text Books: 1. Digital Communication Bernard Sklar , Pearson Education Ltd, 2 / e 2001. Reference Books: 1. SIMON HAYKIN, Digital Communication - John Wiley and Sons, 1988. 2. John Proakis Digital Communication ,TMH, 4th edition 3. TAUB and SCHILLING, Principles of Communication Systems - TMH Ltd, 4. R.F.Z ZIEMER and W.H. TRAMTER, Principles of Communication - Jaico Publishing 6C0097 ANTENNAS AND PROPAGATION 4 1 0 100 (Common to ECE, ETCE from 2006 Batch onwards ) Unit I INTRODUCTION (12) Retarded Potentials. Radiation from an alternating current element , Half wave Dipole, quarter wave mono pole - Fields, Poynting Vector and Radiation Resistance - Travelling Wave Antenna. Antenna Parameters: Field Patterns. Gain and Directivity. Effective Length. Effective Aperture. Antenna Terminal (self and mutual) Impedance. Polarization. Beam width. Bandwidth. Effect of point of feed in standing wave antennas. Unit II ANTENNA ARRAYS (12) Arrays of two point sources. Linear arrays of point sources. Direction of Maxima and Minima. Beam Width - Types of arrays - Broadside , End fire , Co linear , Parasitic arrays. Pattern Multiplication - Binomial arrays Unit III SPECIAL PURPOSE ANTENNAS (QUALITATIVE TREATMENT ONLY) : (12) Antennas for low, medium and high frequencies. Effects of earth on radiation patterns of antennas. Practical antennas and methods of excitation. Loop antennas, Folded Dipoles, Traveling Wave antennas - V and rhombic antennas, Folded Dipole, Reflector antennas, Parasitic elements and Yagi arrays, Slot radiators, Horn antennas, Parabolic Antenna, Lens Antenna and Wide band antennas - Log-periodic antennas. Unit IV PROPAGATION (12) Factors involved in the propagation of Radio Waves. The ground wave, Ionosphere and it's effects on radio waves . Mechanism of Ionospheric propagation. Refraction and Reflection of sky wave by the ionosphere, Ray paths, skip distance, Maximum usable frequency, Fading of signals. Selective fading - Diversity reception. Space wave propagation, Considerations in space wave propagation. Atmospheric effects in space wave propagation. Super Refraction - Duct Wave Propagation. Unit V MEASUREMENTS (12) Measurement of Impedance, Field/ Radiation Pattern and gain of antennas, Ionospheric measurements - vertical incidence measurements of the ionosphere. Relation between oblique and vertical incidence transmission Total No Periods:60 Text Books: 1. Antennas, J.D.Kraus. Mc-Graw Hill, 3rd edition . 2. Antennas and Wave Propagation, K.D.Prasad, Satya Prakasan,New Delhi.1st edition Reference Books : 1. F.E.Terman : Electronic and Radio Engg., Mcgraw Hill, 1984. 2. Rajeshwari Chatterjee : Antenna Theory and Practice, Wiley Eastern Ltd., 1988 3. Robert E.Collin : Antennas and Radio wave propagation, McGraw Hill, 1985 625550 Advanced Digital Signal Processing Lab 50Marks DSP PROCESSOR PROGRAMS 1. Study of DSP Processor (TMS320c5416) 2. Addition &amp; Subtraction of two number 3. Multiplication and Division of two numbers 4. AND &amp; Absolute for the given numbers 5. Shifting and Negation for the given number 6. Reveal the concept of circular Buffer 7. Convolution of Two integer with MACD 8. Convolution of Two integer with MACP 9. Convolution using FIR 625551 - LINEAR INTEGRATED CIRCUITS LAB 50 Marks 1. Study of IC 741 2. Characteristics of op-amp 3. Application of op-amp 4. RC oscillation using op-amp 741 5. Astable multibirator using op-amp 741 6. Monostable multibirator using op-amp 741 7. Precision rectifier 8. Schmitt trigger 9. PLL as frequency multiplier 10. Active filters 11. Astable Multivibrator using NE555 12. Op-amp as a comparator 13. Instrumentation amplifier using P-Spice 14. Matlab program for signal generation, convolution, correlation, DFT and FFT 625552 MICROPROCESSOR LABORATORY 50 Marks I. 8085 Programming 1. Study of 8085 Microprocessor. 2. 8 bit Addition, Subtraction, Multiplication and Division. 3. 16 bit Addition, Subtraction, Multiplication and Division. 4. BCD to Hex and Hex to BCD code conversion. 5. Largest and smallest of a given set of numbers. 6. Block Movement of Data. 7. Square Root of 8-bit number. II. 8086 Programming 1. Study of 8086 Microprocessor. 2. 16 bit Addition, Subtraction, Multiplication and Division. 3. 32 bit Addition and Addition of 3x3 Matrices. 4. Ascending Order and Descending Order. 5. Reversal of a String. III. Interfacing Experiments 1. Keyboard and Display Interface 2. ADC Interface 3. DAC Interface 4. Stepper Motor Interface 5. Traffic Signal Modeling 625553 Communication I Lab 50 Marks LIST OF EXPERIMENTS: 1. AM generation and detection 2. FM generation and detection 3. Sampling techniques 4. Pulse amplitude modulation 5. Pulse Position modulation 6. Pulse Duration modulation 7 Pre-emphasis &amp; de-emphasis 8 IF amplifier 9. Amplitude shift key 10. Frequency shift key 11 Phase shift key 12. Mixer stage 13 Study of Spread spectrum technique SEMESTER VI No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 6C0091 Principles of Management and Professional Ethics 5 0 0 20 80 100 35 50 3 2 625601 Microcontrollers 4 1 0 20 80 100 35 50 3 3 6C0099 Microwave Engineering 4 1 0 20 80 100 35 50 3 4 625602 VLSI Circuits and Systems 4 1 0 20 80 100 35 50 3 5 625603 Data Communication Networks 4 1 0 20 80 100 35 50 3 6 Elective I 4 1 0 20 80 100 35 50 3 7 Elective II 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625652 VLSI Programming Lab 3 -- 100 100 50 50 3 9 625650 Microwave Lab 3 -- 50 50 25 25 2 10 625651 Microcontroller Lab -- 50 50 25 25 2 SEMESTER VI SI. No Subject Code Subject Name Page Number 1 6C0091 Principles of Management and Professional Ethics 64 2 625601 Microcontrollers 65 3 6C0099 Microwave Engineering 66 4 625602 VLSI Circuits and Systems 67 5 625603 Data Communication Networks 68 6 Elective I - 7 Elective II - 8 625650 Microwave Lab 69 9 625651 Microcontroller Lab 69 10 625652 VLSI Programming Lab 70 6C0091 PRINCIPLES OF MANAGEMENT &amp; PROFESSIONAL ETHICS 5 0 0 100 (Common to ECE,EEE, ETCE, EIE, E&amp;C Branches from 2006 Batch onwards) UNIT-I MANAGEMENT FUNCTIONS &amp; STRUCTURE (12) Management - Definition - Basic Functions - Contributions of Taylor &amp; Fayol. Types of Structures - Line, Staff, Functional, Committee, Project &amp; Matrix - Structures. Departmentalization - Centralization - Decentralization - Span of Control. Management by Objectives, Management by Exception UNIT - 2 MANAGEMENT OF ORGANISATION (12) Forms of Business / Industrial Ownership - Sole Trader, Partnership, Company. Performance Appraisal - Basic Principles - Pitfalls - Methods to Overcome. Industrial Safety -Causes of Accidents - Cost of Accidents - How to minimize Accidents. Plant Layout &amp; Maintenance - Need, Types &amp; Managerial Aspects. UNIT - 3 ORGANISATIONAL BEHAVIOUR (12) OB - Definition - Nature &amp; Scope - Contributing Disciplines - Importance of OB to Managers. Personality - Definition - Theories - Factors Influencing Personality. Motivation - Definition - Theories.Theory X &amp; Y - Transactional Analysis. Morale &amp; Job Satisfaction - Factors Influencing Job Satisfaction. UNIT - 4 GROUP DYNAMICS (12) Group - Definition - Types - Determinants of Group Cohesiveness. Communication - Process - Barriers - Effective Communication. Leadership Theories - Factors Contributing To Effective Leadership. Role of Trade Union In Organizations - Functions of Trade Union - Why Trade Union Is Required? - Types of Trade Union. UNIT - 5 PROFESSIONAL ETHICS (12) Ethics in workplace- Formulation of Ethics- Managerial Ethics- Managing Ethical Behaviour- codes of Ethics - Encouraging Ethical Behaviour- Social Responsibility-Spirituality. Total No Periods : 60 TEXT BOOKS: 1. Principles of Management - L.M.Prasad, Sultan chand &amp; Sons. 2. Organisational Behaviour - L.M.Prasad , Sultan chand &amp; Sons. 3. Management Today Principles &amp; Pracitce - Gene Burton &amp; Manab Thakur, REFERENCES BOOKS: 1. Organisational Behaviour - Stephen Robbins, Prentice Hall India. 2. Organisational Behaviour - Fred Luthans, Fred Luthans, Tata McGraw Hill 3. Management Principles - Koontz &amp; Weirich, Tata McGraw Hill Publications. 625601 MICROCONTROLLERS 4 1 0 100 UNIT 1 8051 MICROCONTROLLER (12) Introduction - Features-Intel 8051 architecture-Timers/Counters-Serial Interface- Interrupts-Interfacing to external memory and 8255. UNIT II 8051 ASSEMBLY LANGUAGE PROGRAMMING (12) 8051 Instruction set - Data Transfer, arithmetic instructions, logical instructions, Boolean Variable manipulations and Control Transfer instructions - 8051 Addressing Modes - Register addressing, Direct addressing, Register Indirect Addressing, Immediate Addressing and Index register Addressing- Assembly Language Programming. UNIT III 8051 INTERFACING &amp; APPLICATIONS (12) 8051 Interfacing: Displays - Intelligent LCD Display, A/D Conversion, Stepper Motors, Keyboards - Key Switch factors, Key Configurations, Programs for Keyboard and D/A Conversion. UNIT IV 8096 16 - BIT MICROCONTROLLER (12) Introduction-features - Block Diagram of 8096 -CPU operation, Buses, Register file, RALU control, RALU block diagram, Memory space, Timers. UNIT V PIC MICROCONTROLLER (12) Introduction to PIC microcontroller - Block Diagram of PIC 16C62A - CPU Architecture - Harvard Architecture and Pipelining - Program Memory considerations - Register File structure and addressing Modes - CPU registers - Instruction set. Total No Periods : 60 TEXT BOOK 1.Kenneth J Ayala,The 8051 Microcontroller Architecture Programming and Application,2nd Edition, Penram International Publishers(India),New Delhi, 1997 2.John B. Peat man ,Design with PIC Microcontrollers, Pearson Education Asia-2004 REFERENCE BOOK 1. Mohammed Ali Mazidi,The 8051 Microcontroller and Embedded System,Pearson Education Asia,New Delhi,2003 2. Ajay V Deshmukh , Microcontrollers Theory And Applications, TMH Publishing company Ltd, New Delhi, 2006. 3. Dr.B.P.Singh, Microprocessors and Microcontrollers A Complete Text, Galgotia Publications Pvt Ltd, New Delhi 2001. 6C0099 MICROWAVE ENGINEERING 4 1 0 100 (Common to ECE, ETCE from 2006 Batch onwards ) Unit - I Introduction (12) Microwave Introduction- Microwave frequencies-Microwave devices-microwave systems-microwave units of measure-Advantages-Application. Review of Network Parameter- S-parameters, Properties- Comparison between S, Z, Y Matrices-Relation between Z, Yand ABCD parameter with S-Parameter. Microwave junctions- Microwave Hybrid circuit- Microwave Tees- H-Plane-E-plane-Hybrid T-Magic-T, Application of Magic-T, Directional Coupler, Circulator Rate Race Circuit. Wave Guide joints, Bends, Corners, Twist, and Irises Unit -II Micro wave components and Microwave Ferrite devices (12) Directional Couplers- Directivity, Two hole directional couplers, Bethe or Single hole directional couplers. Introduction to Microwave filters, YIG Filter Resonators. Ferrite devices, Faraday Rotation in ferrites, Gyrator, Isolator, Circulator, Microwave Attenuator, Phase Shifter. Unit -III Microwave sources (12) UHF effects in conventional Tubes ,Klystron-two cavity klystron amplifier, velocity modulation process, Bunching process, output power.multicavity klystron amplifier - Reflex klystron-Construction and Operating Characteristics, Admittance &amp;Spiral, Output Power,Helix Traveling wave tube (TWTs)-Construction - operation ,Backward wave oscillator. Magnetron- Mode of oscillation, Hull cut off equation, Rieke diagram UNIT-IV Solid State Micro wave devices (12) Microwave Bipolar Transistor- operation, Physical structures, performance parameter. Parametric Amplifier- Manley_ Rowe Relation, Parametric up converter ,Parametric down converter .Transferred Electron Devices(TED's)- Gun Effect Devices, domain formation , Ridley Watkins Hilsum (RWH) Theory- modes of operation, Gunn Oscillator, Avalanche Transits Time Device - IMPATT, TRAPATT, BARITT diodes, Application . Unit V Microwave Measurements: (12) Introduction , Spectrum analyzer, Network Analyzer ,Frequency Measurements- Electronic Technique, Mechanical Technique .Power Measurements- Insertion Loss Measurement, Attenuation Measurements-Power ratio method, RF substitution Method. VSWR Measurements- Low VSWR and High VSWR. Impedance measurements- Slotted VSWR Measurements, Dielectric Constant, Measurement of solid and liquid, Measurement of Scattering Parameter. Total No Periods : 60 Text Book : 1. Samuel Y Liao Microwave devices and circuits- Prentice Hall of India 3rd edition 2. M.Kulkarni Microwave and radar Engineering Umesh Publications Reference 1. Annapurana Dass Microwave Engineering TMH Publications, 6th edition 2. Electromagnetics and Radio Engineering by FE.Terman 3. Foundation of Microwave Engineering by R.E.Collin, Second edition McGraw Hill 4. Microwave Engineering by K.C.Gupta New Age International Ltd, 13th edition 625602 VLSI CIRCUITS AND SYSTEMS 4 1 0 100 UNIT - I: (12) MOS transistors - Enhancement and Depletion mode transistors - NMOS fabrication - CMOS fabrication- p-well, n-well, twin tub processes - Thermal aspects of processing - BiCMOS technology. UNIT - II: (12) Drain - to Source Current Vs. voltage relationships - Aspects of MOS transistor threshold voltage - MOS transistor transconductance and output conductance - The pass transistor - The NMOS inverter - Pull up Pull down ratio - Alternative forms of Pull up- The CMOS inverter - BiCMOS inverter - Latch up in CMOS - MOS layers - Stick diagrams- NMOS and CMOS styles. Lambda based Design Rules. UNIT - III: (12) Scaling of MOS circuits - Scaling models and Scaling factors - Scaling factors for device parameters - Limitations of scaling - Design of ALU. ADDERS - Adder Enhancement techniques- Carry Select Adder - Carry Look Ahead Adder -Manchester carry chain Adder- Binary Adder/Subtractor. UNIT - IV: (12) MULTIPLIERS - Braun Multiplier, Baugh-Wooley Multiplier, Booth Multiplier Systolic array Multiplier. Design of Programmable Logic Array(PLA) - GaAs technology. Design of memory - Three transistor, One transistor. UNIT - V: (12) VHDL programming - Basic language elements - Behavioral Modeling, Structural Modeling, dataflow Modeling, Programming Examples. Total No of Periods:60 TEXT BOOK: 1. Douglas A. Pucknell and Kamran Eshraghian, " Basic VLSI Design Systems and Circuits ",Prentice Hall of India Pvt Ltd., 1993. 2. VHDL primer, Bhasker ,Prentice hall ,3rd edition REFERENCE BOOKS: 1. Wayne Wolf , " Modern VLSI Design ", 2nd Edition, Prentice Hall,1998. 2. Randall .L.Geiger and P.E. Allen, " VLSI Design Techniques for Analog and Digital Circuits ",McGraw-Hill International Company, 1990. 3. Fabricious. E , " Introduction to VLSI Design ", McGraw Hill, 1990. 4. Navabi .Z., " VHDL Analysis and Modeling of Digital Systems ", McGraw Hill, 1993. 5. Peter J. Ashenden, " The Designer's Guide to VHDL ", Harcourt Asia Private Limited &amp; Morgan Kauffman, 1996. 6. Principles of CMOS - Neil Weste 625603 DATA COMMUNICATIONS NETWORKS 4 1 0 100 UNIT I DATA COMMUNICATIONS (12) Components - Direction of Data flow - networks - Components and Categories - types of Connections - Topologies -Protocols and Standards - ISO / OSI model - Transmission Media - Coaxial Cable - Fiber Optics - Line Coding - Modems - RS232 Interfacing sequences. UNIT II DAT LINK LAYER (12) Error - detection and correction - Parity - LRC - CRC - Hamming code - Flow Control and Error control: stop and wait - go back N ARQ - selective repeat ARQ- sliding window techniques - HDLC.LAN: Ethernet IEEE 802.3, IEEE 802.4, and IEEE 802.5 - IEEE 802.11-FDDI, SONET - Bridges. UNIT III NETWORK LAYER (12) Internetworks - Packet Switching and Datagram approach - IP addressing methods - Subnetting - Routing - Distance Vector Routing - Link State Routing - Routers. UNIT IV TRANSPORT LAYER (12) Duties of transport layer - Multiplexing - Demultiplexing - Sockets - User Datagram Protocol (UDP) - Transmission Control Protocol (TCP) - Congestion Control - Quality of services (QOS) - Integrated Services. UNIT V APPLICATION LAYER (12) Domain Name Space (DNS) -Electronic Mail - Simple mail Transfer protocol (SMTP), File Transfer Protocol(FTP), Hyper Text Transfer Protocol(HTTP), World Wide Web(WWW) Total No Periods:60 TEXT BOOKS 1. Behrouz A. Foruzan, "Data communication and Networking", Tata McGraw-Hill, 2004.2nd edition . REFERENCES 1. James .F. Kurouse &amp; W. Rouse, "Computer Networking: A Topdown Approach Featuring", Pearson Education. 2. Larry L.Peterson &amp; Peter S. Davie, "COMPUTER NETWORKS", Harcourt Asia Pvt. Ltd., Second Edition. 3. Andrew S. Tannenbaum, "Computer Networks", PHI, Fourth Edition, 2003. 4. William Stallings, "Data and Computer Communication", Sixth Edition, Pearson Education, 2000. 625650 MICROWAVE LAB LIST OF EXPERIMENTS: 50 Marks 1. Reflex Klystron, 2K 25 Mode reflex Characteristics 2. Reflex Klystron, 2K 25 Frequency, Wavelength Measurements 3. Gunn Diode VI Characteristics 4. Gunn Diode Frequency, Wavelength Measurements 5. Attenuation Measurement of Circulator, Isolator Using Klystron and Gunn diode 6. Directional Coupler Characteristics using Klystron 7. Magic Tee, E -Plane Tee, H -Plane Tee Characteristics using Klystron and Gunn diode 8. Measurement of Radiation Pattern and Gain of Horn Antenna using Klystron 625651 MICROCONTROLLER LAB I. 8051 Programming 50 Marks 1. Study of 8051. 2. 8 Bit Arithmetic Operations: Addition ,subtraction ,multiplication and division 3. Addition of two sixteen bit numbers. 4. Transferring a Block of data from (i) Internal to External memory, (ii) External to External memory and, (iii) External to Internal memory 5. 8-bit Conversion (i) ASCII to it's equivalent Hexa decimal and (ii) Hexa decimal to it's equivalent ASCII 6. Arrange the given numbers in ascending and descending order 7. Filling External and Internal Memory II. Interfacing Experiment 1. DAC Interfacing 2. Stepper motor Interfacing 625652 VLSI PROGRAMMING LAB 100 Marks LIST OF EXPERIMENTS: 1. Logic gates. 2. Adders and Subtractors 3. Carry look ahead adder(fast adder) 4. Flip Flops 5. Comparator 6. Counters 7. Encoder and Decoder 8. Multiplexer and demultiplexer 9. Factorial of a number 10. Fibonacci series SEMESTER VII No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 625701 Optical Fiber Communication 4 1 0 20 80 100 35 50 3 2 625702 Spread Spectrum Techniques 4 1 0 20 80 100 35 50 3 3 625703 Cryptography 4 1 0 20 80 100 35 50 3 4 625704 Digital image processing 4 1 0 20 80 100 35 50 3 5 625705 Telecommunication Switching systems 4 1 0 20 80 100 35 50 3 6 Elective III 4 1 0 20 80 100 35 50 3 7 Elective IV 4 1 0 20 80 100 35 50 3 PRACTICALS 8 625750 Optical communication Lab 3 -- 100 100 50 50 3 9 625751 Networking Lab 3 -- 100 100 50 50 3 SEMESTER VII SI. No Subject Code Subject Name Page Number 1 625701 Optical Fiber Communication 72 2 625702 Spread Spectrum Techniques 73 3 625703 Cryptography 74 4 625704 Digital image processing 75 5 625705 Telecommunication Switching systems 76 6 Elective III - 7 Elective IV - 8 625750 Optical communication Lab 77 9 625751 Networking Lab 77 625701 OPTICAL FIBER COMMUNICATION 4 1 0 100 UNIT I INTRODUCTION TO OPTICAL FIBERS (12) Evolution of fiber optic system- Element of an Optical Fiber Transmission link- Ray Optics-Optical Fiber Modes and Configurations -Mode theory of Circular Wave guides- Overview of Modes-Key Modal concepts- Linearly Polarized Modes -Single Mode Fibers-Graded Index fiber structure. UNIT II SIGNAL DEGRADATION OPTICAL FIBERS (12) Attenuation - Absorption losses, Scattering losses, Bending Losses, Core and Cladding losses, Signal Distortion in Optical Wave guides-Information Capacity determination -Group Delay-Material Dispersion, Wave guide Dispersion, Signal distortion in SM fibers-Polarization Mode dispersion, Intermodal dispersion, Pulse Broadening in GI fibers-Mode Coupling -Design Optimization of SM fibers-RI profile and cut-off wavelength. UNIT III FIBER OPTICAL SOURCES AND COUPLING (12) Direct and indirect Band gap materials-LED structures -Light source materials -Quantum efficiency and LED power, Modulation of a LED, lasers Diodes-Modes and Threshold condition -Rate equations -External Quantum efficiency -Resonant frequencies -Laser Diodes, Temperature effects, Introduction to Quantum laser, Fiber amplifiers- Power Launching and coupling, Lencing schemes, Fibre -to- Fibre joints, Fibre splicing. UNIT IV FIBER OPTICAL RECEIVERS (12) PIN and APD diodes -Photo detector noise, SNR, Detector Response time, Avalanche Multiplication Noise -Comparison of Photo detectors -Fundamental Receiver Operation - preamplifiers, Error Sources -Receiver Configuration -Probability of Error - Quantum Limit. UNIT V DIGITAL TRANSMISSION SYSTEM (12) Point-to-Point links System considerations -Link Power budget -Rise - time budget -Noise Effects on System Performance-Operational Principles of WDM, Solitons-Erbium-doped Amplifiers. Basic on concepts of SONET/SDH Network. . Total No Periods:60 TEXT BOOK 1. Gerd Keiser, "Optical Fiber Communication" McGraw -Hill International, Singapore, 3rd ed., 2000 REFERENCES 1. J.Senior, "Optical Communication, Principles and Practice", Prentice Hall of India, 1994. 2. J.Gower, "Optical Communication System", Prentice Hall of India, 2001. 625702 SPREAD SPECTRUM COMMUNICATION 4 1 0 100 UNIT I INTRODUCTION (12) Spread spectrum signal-Spread spectrum digital communication system model-Positive Performance features-Pseudo Noise sequences-generation of PN codes-PN code properties-classification of SS. UNIT II MODEL OF DIGITAL COMMUNICATION SYSTEMS (12) Spread Spectrum System model- Direct Sequence SS systems-classification of direct sequence spread spectrum systems-Modulation and Demodulation of DSSS-Performance of DSSS in noise and jammer. UNIT III FREQUENCY HOPPED SPREAD SPECTRUM SYSTEMS (12) Frequency hopped spread spectrum system model with block diagram- Demodulation-Fast hopping versus slow hopping-Advantages and limitations of FHSS systems-Time hopping-chirp-Example of SS-Global Positioning System. UNIT IV SYNCHRONIZATION OF SS SYSTEMS (12) Acquisition - Tracking - Jamming considerations - Broadband - partial- multitone - repeat back jamming. UNIT V COMMON APPLICATION OF SS SYSTEMS (12) CDMA-multipath channels-FCC part 15 rules-Direct Sequence CDMA-example-IS95 CDMA Digital Spread Spectrum-Applications in cellular and mobile communications. Total No Periods:60 Text Books: 1. Advanced Digital Communication Systems-NIIT, PHI, 1st edition References: 1. Digital Communication Bernard Sklar , Pearson Education Ltd, 2 / e 2001 2. John Proakis Digital Communication ,TMH, 4th edition 625703 CRYPTOGRAPHY 4 1 0 100 UNIT - I INTRODUCTION (12) Basic model for network security - Symmetric Cipher model - Substitution Ciphers: Caesar cipher, Monoalphabetic Ciphers, Play fair, Polyalphabetic ciphers- Transposition Ciphers - Steganography. UNIT - II BLOCK CIPHERS AND DES (12) Simplified DES: Key generation, encryption - Block Cipher principles - The Data encryption Standard - Block Cipher Design Principles - Block Cipher modes of operation - Euclid's Algorithm. UNIT - III PUBLIC KEY ENCRYPTION (12) Prime numbers - The Chinese Remainder Theorem - RSA algorithm - Key management - Diffie Hellmann Key Exchange - Elliptic Curve Cryptography - Hash functions - Security of Hash Functions. UNIT - IV NETWORK SECURITY PRACTICE (12) Kerberos 402 - X.509 Authentication Service - E-mail security: PGP, S/MIMIE - IP security: Security, Architecture, Authentication Header, And Payload - Web security: SSL, SET. UNIT - V SYSTEM SECURITY (12) Firewalls - Current Standards. Total No Periods:60 TEXT BOOK: 1. Cryptography and Network Security, William Stallings. Pearson education 4th edition REFERENCE BOOKS: 1. Applied Cryptography, Bruce and Schneider. 2. Cryptography - Theory and Practice, Douglas R. Stinson. 3. Cryptography and Network Security, Atul Kahate. 625704 DIGITAL IMAGE PROCESSING 4 1 0 100 UNIT-I (12) Digital Image Representation - Fundamentals Steps In Image Processing- Elements Of Digital Image Processing System- Elements Of Visual Perception-Image Model- Sampling And Quantization UNIT-II (12) Basic Relationship between Pixels- Introduction to Fourier Transform - Discrete Fourier Transform - Properties of 2D Fourier Transform - Fast Fourier Transform- Walsh- Hadamard-Discrete Cosine- Harr - Slant Transforms UNIT - III (12) Image Enhancement - Spatial Domain- Frequency Domain- Enhancement By Point Processing- Image Subtraction- Image Averaging - Spatial Filtering- Enhancement In The Frequency Domain. UNIT -IV (12) Image Restoration - Image Degradation Model - Noise Models -Spatial And Frequency- Properties Of Noise- Restoration In The Presence Of Noise Only- Spatial Filtering- Periodic Noise Reduction By Frequency Domain Filtering- Linear Position Invariant Degradation- Inverse Filtering- Geometric Transformation UNIT -V (12) Color Image Processing-Color Models-Pseudo Color Image Processing-Color Image Transformation-Smoothening and Sharpening-Fundamentals of Image Compression-Image Compression Model-Image Segmentation- Detection of Discontinuities- Region Based Segmentation-The Use of Motion in Segmentation. Total No Periods:60 TEXT BOOK: Digital Image Processing - Rafael C. Gonzalez, Richard E. Woods 2nd Edition, PHI REFERENCE: Digital Image Processing - Anil k. Jain, PHI 3rd edition 625705 TELECOMMUNICATION SWITCHING SYSTEMS 4 1 0 100 UNIT I TELECOMMUNICATION SWITCHING SYSTEMS (12) Introduction- Message Switching-Circuit Switching- Manual Systems- Functions of a switching system- The strowger step-by-step system- Register-translator-senders- Distribution frames- Crossbar Systems- A general trunking- Electronic switching- Reed-electronic systems- Digital switching systems. UNIT II TIME-DIVISION SWITCHING (12) Introduction-Space and time switching- Time-division switching networks- Grades of service of time-division switching networks- Nonblocking networks- Synchronization. UNIT III TELECOMMUNICATIONS TRAFFIC (12) Introduction- The unit of traffic- Congestion- Traffic Measurement- A Mathematical model- Lost-call systems- Queuing systems. UNIT IV TELECOMMUNICATIONS SIGNALLING (12) Introduction - Customer line signalling - Audio-frequency junction and trunk circuits - FDM carrier systems - PCM signalling - Inter-register signalling - Common-channel signalling principles - CCITT signalling system no.6 - CCITT signalling system no.7-Digital customer line signalling. UNIT V TELECOMMUNICATION NETWORKS (12) Introduction - Analog networks - Integrated digital networks - Integrated services digital networks - Cellular radio networks - Intelligent networks - Private networks - Numbering - Charging - Routing- Network management. Total No Periods:60 TEXT BOOK Telecommunication Switching, Traffic and Networks - J.E. Flood, LPE,Pearson education edition Reference : T.V. Swaminathan, Telecommunication Switching system &amp; Networks, PHI 625750 FIBER OPTIC LAB 100 marks LIST OF EXPERIMENTS: 1. Measurement of numerical aperture of optical fiber 2. Measurement of propagation loss, bending loss of optical fiber. 3. Measurement of mechanical misalignment of optical fiber. 4. VI characteristics of LED and LASER. 5. PAM, AM using optical fiber. 6. PPM.PWM using optical fiber. 7. Voice link using Optical fiber. 625751 NETWORKING LAB 100 marks 1. PING 2. SUBNETTING 3. FIREWALLS 4. RIP 5. OSPF SEMESTER VIII No Subject Code Subject Name *Periods/ Week Int. Marks Max. Marks in Univ. Exam Total Marks Min. Marks in Univ. Exam Min. Pass Marks Exam Duration in hrs. L T P THEORY 1 625801 Project work and Comprehensive Viva -- -- -- 100 300 400 150 150 - &bull; L = Lecture, T = Tutorial / Seminar, P = Practical / Project List of Electives SI. No Subject Code Subject Name Page Number 1 6ET E01 Satellite communication 79 2 6ET E02 Mobile Communication 80 3 6ET E03 Internet &amp; Intranet 81 4 6ET E04 Radar &amp; Navigational Aids 82 5 6ET E05 High Performance Communication Network 83 6 6ET E06 Soft computing 84 7 6C0089 Biomedical Instrumentation (Core subject for EIE,EEE,E&amp;C) 85 8 6ET E07 Television Engineering 86 9 6ET E08 Electromagnetic Interference and compatibility 87 10 6ET E09 Low power VLSI 88 11 6EC E02 Artificial Intelligence &amp; Expert Systems 89 12 6IC E03 Robotics and Automation 90 13 6ET E10 VLSI Signal Processing 91 14 6ET E11 Embedded Systems 92 15 6IC E02 Mechatronics 93 16 6EC E03 Programming in Matlab 94 Elective Subjects 6ET E01 SATELLITE COMMUNICATION 4 1 0 100 UNIT I (12) Introduction, Types -Active and Passive Satellite, Frequency allocation, Satellite orbits, Kepler's laws, Definitions of terms for earth-orbiting satellites, Apogee and Perigee heights, Orbit perturbations, Geo stationary orbit, Antenna look angles, Limits of visibility, Earth Eclipse of satellite, Sun transit outage, launching orbits. UNIT II THE SPACE SEGMENT (12) Introduction, The Power supply, Attitude control, Spinning satellite stabilization, Momentum wheel stabilization, Station keeping, Thermal control, TT&amp;C subsystem, Transponders, The wide band receiver, The input demultiplexer, the power amplifier, the antenna subsystem. UNIT III THE EARTH SEGMENT AND ANTENNAS (12) Transmit receive earth station subsystems-up converters-High power Amplifier- Receive chain-LNA &amp; LNB. TVRO Earth station. The isotropic radiator and antenna gain, Horn antenna, The parabolic reflector, Double reflector antenna - Cassie grain antenna-Gregorian antenna. UNIT IV THE SPACE LINK &amp; SATELLITE ACCESS (12) EIRP, Transmission losses, The link budget equation, System noise, Effect of rain, Combined uplink and downlink C/N ratio. Multiple access techniques- Concepts and types of TDMA, FDMA and CDMA. UNIT V SATELLITE APPLICATIONS (12) DBS , VSAT, Remote sensing, Satellite Mobile services, GPS, INTELSAT, INMARSAT, INSAT, Video Conferencing and internet connectivity. Total No of Periods:60 TEXT BOOK 1. Satellite communication 3rd edition &not;_Dennis Roddy - Mc Graw Hill Co. REFERENCE BOOKS. 1. Satellite communication._ Timothy pratt &amp; C W. Bostain- John wiely &amp;Sons 2. Fundamentals of Satellite communication_ K.N.Raja Rao. - PHI 6ET E02 MOBILE COMMUNICATION 4 1 0 100 UNIT I (12) INTRODUCTION: Cellular Telephony - Advanced Mobile Phone Service(AMPS) - Global System for Mobile Communication(GSM) - Cordless Telephony and low-tier PCS - Cordless Telephony, Second Generation(CT2) - Digital European Cordless Telephone(DECT) MOBILITY MANAGEMENT: Handoff - Inter-BS handoff - InterSystem Handoff - Roaming Management -Roaming Management for CT2 - Basic Public CT2 System(one way calling) - Meet at a junction CT2 system (Two way calling) UNIT II (12) HANDOFF MANAGEMENT: Detection and Assignment - Handoff Detection - Strategies for handoff Detection - Mobile - Assited Handoff - Handoff Failures - Channel Assignment - Non prioritized scheme and the reserved channel scheme - Queuing Priority Scheme - Sub rating Scheme. UNIT III (12) HANDOFF MANAGEMENT RADIO LINK TRANSFER: Link transfer types - Hard Handoff - MCHO Link transfer - MAHO/NCHO Link transfer - Dropping a BS Intersystem Handoff - Handoff Measurement - Handoff Forward - Handoff Backward. UNIT IV (12) GSM SYSTEM: GSM Architecture - Mobile Station - base station - Network and switching subsystem - Radio Interface - Location tracking and call setup - Security - Data services - HSCSD - GPRS - GSM Network signalling - GSM MAD Service Framework - MAP protocol machine - MAP Dialogue. UNIT V (12) GSM MOBILITY MANAGEMENT: GSM location update - Basic Location Update Procedure - Inter LA movement - Inter MSC movement - Inter VLR movement - Basic call origination and Termination Procedures - Mobility Data bases - Failure Restoration - VLR Failure Restoration - HLR Failure Restoration. Total No of Periods:60 Text Book: 1.Wireless and Mobile Network Architectures - Yi-Bing Lin Imrich chlamtac..Wiley Reference : 1. Schiller -mobile communication , Pearson education , 2nd edition 2. Introduction to wirless and mobile system 2edition, Thomson. 6ET E03 INTERNET AND INTRANET 4 1 0 100 UNIT I INTERNETWORKING WITH TCP / IP: (12) Review of network technologies, Internet addressing, Address resolution protocols (ARP / RARP), Routing IP datagrams, Reliable stream transport service (TCP) TCP / IP over ATM networks, Internet applications - E-mail, Telnet, FTP, NFS, Internet traffic management. UNIT II INTERNET ROUTING: (12) Concepts of graph theory, Routing protocols, Distance vector protocols (RIP), Link state protocol (OSPP), Path vector protocols (BGP and IDRP), Routing for high speed multimedia traffic, Multicasting, Resource reservation (RSVP), IP switching. UNIT III WORLD WIDE WEB: (12) HTTP protocol, Web browsers netscape, Internet explorer, Web site and Web page design, HTML, XML, Dynamic HTML, CGI. UNIT IV JAVA PROGRAMMING: (12) Language features, Classes, Object and methods, Subclassing and dynamic binding, Multithreading, Overview of class library, Object method serialisation, Remote method invocation, Java script. UNIT V MISCELLANEOUS TOPICS (12) E-Commerce, Network operating systems, Web Design case studies. Total No of Periods:60 Text Books: 1.Dauglas E.Comer, "Internetworking with TCP/IP", Vol. I: 3rd edition, Prentice Hall of India, 1999. REFERENCES 1. Eric Ladd and Jim O'Donnell, "Using HTML 4, XML and Java 1.2", Que Platinum edition, Prentice Hall of India, 1999. 2. William Stallings, "High Speed Networks", Prentice Hall Inc., 1998. 6ET E04 RADAR &amp; NAVIGATIONAL AIDS 4 1 0 100 UNIT I RADAR EQUATION (12) Radar block diagram and operation-radar frequencies-radar range equation-prediction of range performance-minimum detectable signal-radar cross section of targets-cross section fluctuation-transmitter power, pulse repetition frequency and range ambiguities-system loss and propagation effects. UNIT II CW AND FMCW RADAR (12) Doppler effect CW radar-basic principles and operation of FMCW radar MTI and Pulse Doppler radar:MTI block diagram and description-delay line cancellers-range gated Doppler filters-non coherent MTI-pulse Doppler radar. Tracking radars-sequential lobing,conical scan and simultaneous lobing monopulse. UNIT III SYNTHETIC APERTURE&amp;AIR SURVEILLANCE RADAR (12) Synthetic aperture radar,Resolution -radar equation-SAR signal processing,Inverse SAR,Ait surveillance radar-users requirements-characteristics and frequency considerations. ECCM and Bistatic Radar:Electronic counter-counter measure-bistatic radar-description bistatic radar equation-comparison of monostatic and bistatic radars. UNIT IV RADAR SIGNAL DETECTION &amp; PROPAGATION ON WAVES (12) Detection criteria-automatic detection-constant false alarm rate receiver.information available from a radar-ambiguity diagram-pulse compression-propagation over plane earth-refraction-anomalous propagation and diffraction-introduction to clutter -surface clutter,radar equation UNIT V ELECTRONIC NAVIGATION (12) Adcock directional finder-automatic directional finder-VHF omnidirectional range-Hyperbolic systems of navigation-Loran and Decca Navigation system-Tractical air navigation(TACAN)ILS and GCA as aids to approach and landing. Total No of Periods:60 Text Books : 1. M.I.SKOLNIK.Introduction to radar systems-McGraw Hill 2nd edition REFERENCE BOOKS: 2. N.S.NAGARAJA,Elements of electronic navigation-Tata McGraw Hill 1993 3. NADAV LEVANON,Radar principles-John Wiley and sons 1989 4. BROOKNER,Radar Technology-Artech Hons1986 6ET E05 HIGH PERFORMANCE COMMUNICATION NETWORKS 4 1 0 100 UNIT I BASICS OF NETWORKS (12) Telephone, computer, Cable television and Wireless network, Networking principles, Digitization: Service integration, network services and layered architecture, traffic characterization and QOS, Network services: network elements and network mechanisms UNIT II INTERNET AND TCP/IP NETWORKS (12) Overview, Internet protocol, TCP and UDP, Performance of TCP/IP networks, Circuit switched networks, SONET, DWDM, Fiber to home, DSL: intelligent networks, CATV. UNIT III ATM AND WIRELESS NETWORKS (12) Main features-addressing and routing; ATM header structure-adaptation layer, management and control; BISDN; Internetworking with ATM, wireless channel, link design, channel access; Network design and wireless networks. UNIT IV CONTROL OF NETWORKS (12) Objectives and methods of control, control of circuit switched networks, datagram networks and ATM networks and the mathematical backround of network control. UNIT V OPTICAL NETWORKS AND SWITCHING (12) Optical links-WDM systems, cross-connects, optical LANs, optical paths and networks; TDS and SDS: modular switch designs-Packet switching, distributed, shared, input and output buffers. Total No of periods:60 TEXT BOOK: 1. Jean Walrand and Pravin Varaiya, "High Performance Communication Networks", 2nd Edition, Harcourt and Morgan Kauffman, London 2000. REFERENCES: 1. Leon Gracia, Widjaja, "Communication Networks",Tata McGraw-Hill, New Delhi,2000. 2. Sumit Kasera, Pankaj Sethi, "ATM Networks", Tata McGraw-Hill, New Delhi, 2000. 3. Behrouz A.Forouzan, "Data Communication and Networking", Tata McGraw-Hill, New Delhi, 2000. 6ET E06 SOFT COMPUTING 4 1 0 100 UNIT I (12) Fundamentals of artificial neural networks-biological neurons and their artificial models-neural processing-learning and adaptation -neural n/w learning rules-hebbian -perceptron-delta,Widro Hoff correlation, Winner -Take-all outstar learning rules Single layer perceptrons-multilayer feed forward networks-error back propagation training algorithm-problems with back propagation-Boltzman training-cauchy training-combined back propagation- Cauchy training. UNIT II (12) Hopp field n/ws,recurrent and bi-directional associative memories -counter propagation n/ws -artificial resonance theory(art) Application of neural n/ws-hand written digit and character recognition -traveling sales man problem-neuro controller-inverted pendulum controller-cerebellar model-Articulation controller-robot kinematics, expert systems for medical diagnosis. UNIT III (12) Introduction to fuzzy set theory-classical set vs. fuzzy set-properties of fuzzy set -operation of fuzzy set-union intersection complement-T-norm and co T-norm UNIT IV (12) Fuzzy relations-operation of fuzzy relations-cylindrical extensions and projections-extension principle. UNIT V (12) Introduction to fuzzy logic control-structure of FLC fuzzification,knowledge base, Interference engine-defuzzyfication-design and tuning of FLC-choice of Fuzzification and Defuzzification procedure-application of fuyzzy logic control-washing machine-vacuum cleaner-cement kiln-traffic regulation-lift operation in a multi storied building. A brief introduction: Neuro fuzzy control Total No of periods:60 TEXT BOOK: 1. LAWRENCE FAUSETT,Fundamentals of Neural Networks,Prentice Hall of India,1994 REFERENCE BOOKS: 1. BART KOSKO,Neural networks and fuzzy systems-Prentice Hall of India,1994 2. G.J.KLIN&amp;T.A FLOGER,Fuzzy sets,Uncertainty&amp;Information-Prentoice Hall 3. J.M.ZURADA,Introduction to artificial neural systems-Jaico Pub.House ,Delhi,1994 6C0089 BIO MEDICAL INSTRUMENTATION 5 0 0 100 (Common Core subject for EIE,EEE,E&amp;C) (Common Elective subject for ECE, ETCE) UNIT - I ELECTRO PHYSIOLOGY (12) Cell and its structure - electrical, mechanical and chemical activities - action and resting potential- Organisation of nervous system - CNS - PNS - Neurons - Axons- Synapse - Propagation of electrical impulses along the nerve- Sodium pump - Cardio pulmonary system- Physiology of Heart, Lung, Kidney. UNIT - II BIO POTENTIAL ELECTRODES AND TRANSDUCERS (13) Design of Medical Instruments - Components of Biomedical Instrument system - Electrodes: Micro electrodes, Needle electrodes, Surface electrodes - Transducers - Piezo electric, Ultrasonic, Passive transducers - Resistive, Capacitive, Inductive - Isolation amplifier, Preamplifier, Current amplifier, Chopper amplifier. UNIT - III INSTRUMENTS USED FOR DIAGNOSIS (11) ECG, Einthoven triangle, Leads, Electrodes, Vector cardiograph, Angiogram arrhythmias, Measurement of cardiac output, EEG, EMG, Plethysmography, Blood flow measurements, X-ray generation, Radiographic &amp; fluoroscopic techniques - Image intensifiers - Computer aided tomography. UNIT - IV DIAGNOSTIC AIDS &amp; PMS (12) Ultrasonic diagnosis, Ultrasonic scanning, Isotopes in medical diagnosis- Biomedical measurements like pH, pCO2, pO2 of blood, Pace makers, Defibrillators, Respiratory rate measurement - Oximeter, Patient monitoring system, ICCU, PMS through bio telemetry. UNIT - V RECENT TRENDS &amp; INSTRUMENTS FOR THERAPY (12) Medical imaging - Laser applications - Echocardiography - CR Scan - MRI/ NMR - Endoscopy - Dialysers - Surgical Diathermy - Electro anesthetic and surgical techniques. Sources of electric hazards and safety techniques. Total Number of Periods :60 Text Books: 1. Leslie Cromwell, Fred J. Werbell and Erich A. Pfeiffer, Biomedical Instrumentation and Measurements ,2/e PHI 2. M.Arumugam,-Biomedical Instrumentation ,2nd edition REFERENCE BOOKS 1. Jacobson et al., Clinical and Medical Engineering. 2. WQ. J.Tompskins and J.G. Wenster, Design of Microcomputer Based Medical Instrumentation. 3. Hill, Electronics for Medical Research. 4. Geddes and Baker, Principle of Applied Biomedical Instrumentation 6ET E07 TELEVISION ENGINEERING 4 1 0 100 UNIT-I - TELEVISION FUNDAMENTALS (12) Image continuity, Sound and Picture transmission, Aspect ratio, Horizontal &amp; vertical scanning, Sequential scanning, Horizontal &amp; vertical blanking, H &amp; V Resolution, Video bandwidth, 2:1 Interlaced scanning, H &amp; V Synchronization, Composite video signal for H Lines, Vertical sync details, Pre &amp; Post equalizing pulses, positive and negative transmission, Vestigial side band transmission , TV Broadcast channels, Various TV standards ,CCIR -B in detail. UNIT-II- COLOUR FUNDAMENTALS, CAMERA TUBES &amp; PICTURE TUBES (12) Additive &amp; Subtractive colour mixing, Luminance, Hue, Saturation and chrominance signal, Chromaticity diagram, Colour Compatibility, colour difference signal, Chromaticity diagram, Colour compatibility, Colour difference signal , U V signal PAL system, I&amp;Q signals and NTSC system, SECAM system, Camera tube characteristics, Vidicon cameras tubes, Various target plates of Vidicon (Plumbicon, SATicon, Newvicon), CCD Image sensor, Concepts of colour camera tube, Colour signal processing. Monochrome picture tube with electrostatic focusing &amp; electro magnetic deflection. Screen phosphor and Al screen, Aquadag coating , EHT filtering, Picture tube specification, Colour picture tubes, PIL Picture tube, SONY Trinitron, Colour convergence &amp; Purity arrangement, Gray scale tracing, raster distortion, Degaussing. UNIT III TELEVISION TRANSMITTERS (12) Block diagram of monochrome TV Transmitter, Visual exciter, Aural exciter, Diplexer, Transmitting antenna, Transmitting station layout and specification. Colour perception &amp; Bandwidth, Selection of colour sub carrier frequency in PAL, Frequency interleaving, Formation of chrominance signal, Colour sub carrier modulation, PAL Encoder, Chrominance signal for colour bar pattern UNIT IV TELEVISION RECEIVER CIRCUITS (12) Block diagram of monochrome TV receiver- RF tuner, Electronic tuner, IF subsystem, VIF response curve, Video amplifier requirements, Video amplifier circuit, Intercarrier sound, Sound sub system, Sync separation &amp; processing, Deflection circuits, Scanning current in the yoke, Generation of EHT and other DC voltages. Colour TV receiver block diagram Chroma decoder, Separation of U and V signals, Colour burst Separation, Ident and colour killer circuit, U&amp; V demodulation, Colour signal matrixing UNIT V ADVANCED TV SYSTEMS (12) Cable TV , CCTV, Scrambling of TV signals, Digital satellite television, DTH Satellite television, Digital TV receiver, Projection television, flat panel display TV receiver, Plasma displays, HDTV Total No of Periods:60 TEXT BOOK: 1.Modern Television Practice by R.R.Gulathi New age publications,4th edition Reference : 1 Television and video engineering by A.M.Dhake Tata Megraw Hill 2. Monochrome and Colour Television by RR Gulathi New age Publication 3. Colour television Theory and Practice by S.P.Bali Tata Megraw Hill 6ET E08 ELECTROMAGNETIC INTERFERENCE AND COMPATIBILITY 4 1 0 100 UNIT I BASIC CONCEPTS (12) Definition of EMI and EMC with examples, Classification of EMI/EMC - CE, RE, CS, RS, Units of Parameters, Sources of EMI, EMI coupling modes - CM and DM, ESD Phenomena and effects, Transient phenomena and suppression. UNIT II EMI MEASUREMENTS (12) Basic principles of RE, CE, RS and CS measurements, EMI measuring instruments- Antennas, LISN, Feed through capacitor, current probe, EMC analyzer and detection t6echnique open area site, shielded anechoic chamber, TEM cell. UNIT III EMC STANDARD AND REGULATIONS (12) National and Intentional standardizing organizations- FCC, CISPR, ANSI, DOD, IEC, CENEEC, FCC CE and RE standards, CISPR, CE and RE Standards, IEC/EN, CS standards, Frequency assignment - spectrum conversation. UNIT IV EMI CONTROL METHODS AND FIXES (12) Shielding, Grounding, Bonding, Filtering, EMI gasket, Isolation transformer, opto isolator. UNIT V EMC DESIGN AND INTERCONNECTION TECHNIQUES (12) Cable routing and connection, Component selection and mounting, PCB design- Trace routing, Impedance control, decoupling, Zoning and grounding Total No of periods: 60 TEXT BOOKS 1. Prasad Kodali.V - Engineering Electromagnetic Compatibility - S.Chand&amp;Co - New Delhi - 2000 2. Clayton R.Paul - Introduction to Electromagnetic compatibility - Wiley &amp; Sons - 1992 REFERENCES 1. Keiser - Principles of Electromagnetic Compatibility - Artech House - 3rd Edition - 1994 2. Donwhite Consultant Incorporate - Handbook of EMI / EMC - Vol I - 1985 6ET E09 LOW POWER VLSI DESIGN 4 1 0 100 UNIT I POWER DISSIPATION IN CMOS (12) Hierarchy of limits of power - Sources of power consumption - Physics of power dissipation in CMOS FET devices- Basic principle of low power design. UNIT II POWER OPTIMIZATION (12) Logical level power optimization - Circuit level low power design - Circuit techniques for reducing power consumption in adders and multipliers. UNIT III DESIGN OF LOW POWER CMOS CIRCUITS (12) Computer Arithmetic techniques for low power systems - Reducing power consumption in memories - Low power clock, Interconnect and layout design - Advanced techniques - Special techniques UNIT IV POWER ESTIMATION (12) Power estimation techniques - Logic level power estimation - Simulation power analysis - Probabilistic power analysis. UNIT V SYNTHESIS AND SOFTWARE DESIGN FOR LOW POWER (12) Synthesis for low power -Behavioral level transforms- Software design for low power - Total No of Periods:60 Text Books: 1. K.Roy and S.C. Prasad , LOW POWER CMOS VLSI circuit design, Wiley,2000 2. Gary Yeap, Practical low power digital VLSI design, Kluwer,1998 REFERENCES 1. Dimitrios Soudris, Chirstian Pignet, Costas Goutis, DESIGNING CMOS CIRCUITS FOR LOW POWER, Kluwer,2002 2. J.B. Kuo and J.H Lou, Low voltage CMOS VLSI Circuits, Wiley 1999. 3. A.P.Chandrakasan and R.W. Broadersen, Low power digital CMOS design, Kluwer,1995. 4. Gary Yeap, Practical low power digital VLSI design, Kluwer,1998. 5. Abdellatif Bellaouar,Mohamed.I. Elmasry, Low power digital VLSI design,s Kluwer, 1995. 6. James B. Kuo, Shin - chia Lin, Low voltage SOI CMOS VLSI Devices and Circuits. John Wiley and sons, inc 2001 6EC E02 ARTIFICIAL INTELLIGENCE AND EXPERT SYSTEM 5 0 0 100 (Common with E&amp;C, EIE, ECE, ETCE, EEE Branches from the Batch 2006 onwards) UNIT - I AI &amp; INTERNAL REPRESENTATION (12) The AI Problem - What is AI Technology - Level of The Model - Criteria for Success Problems, Problem Spaces and Space Searches &amp; Heuristic Search Technology Problem as a State Space Search - Production Systems - Production System Characteristics - Generate &amp; Test - Hill Climbing - Best First Search - Constraint Satisfaction - Means End Analysis UNIT - II KNOWLEDGE REPRESENTATION (12) Issues in Knowledge Representation - Using Predicate Logic: Representing Simple Facts in Logic, Representing Instance and is a Relationship - Computable Functions and I Predicates - Representing Knowledge using Rules: Procedural vs. Declarative Knowledge - Forward vs. Backward Reasoning. UNIT - III SLOT AND FILLER STRUCTURES (12) Weak Slot and Filler - Semantic Nets - Frames Strong Slot and Filler Structures - Scripts - CYC - CYCL UNIT - IV EXPERT SYSTEM (12) What are Expert Systems? - Knowledge Representation in Expert Systems - Symbolic Computation - Rule Based Systems. UNIT - V TOOLS FOR BUILDING EXPERT SYSTEM (12) Using Domain Knowledge - Knowledge Acquisition - Design for Explanation - Black Board Architecture - Truth Maintenance System - Machine Learning - Case Based Reasoning TOTAL NUMBER OF PERIODS: 60 Text Books: 1. Peter Jackson, "Introduction to Expert System", Addison Wesley, Third Edition, First Indian Reprint, , 2000, REFERENCE BOOKS 2. Elaine Rich, "Artificial Intelligence" 6IC E03 ROBOTICS AND AUTOMATION 5 0 0 100 Common to EIE,E&amp;C,ECE,EEE,ETCE UNIT I BASIC CONCEPTS (12) Definition and origin of robotics - different types of robotics - various generation of robots-degree of freedom - Asimov's laws of robotics-dynamic stabilization of robots. UNIT II POWER SOURCES AND SENSORS (12) Hydraulic, pneumatic and electric drives -determination of HP of motor and gearing ratio -variable speed arrangements -path determination-micro machines in robotics -machine vision -ranging -laser - acoustic - magnetic , fiber optic and tactile sensors. UNIT III MANIPULATORS, ACTUATORS AND GRIPPERS (12) Construction of manipulators -manipulator dynamics and force control -electronic and pneumatic manipulator control circuits-end effectors - &Ucirc; various types of grippers-design considerations. UNIT IV KINEMATICS AND PATH PLANNING (12) Solution of inverse kinematics problem-multiple solution jacobian work envelope -hill climbing techniques - robot programming languages. UNIT V CASE STUDIES (12) Multiple robots-machine interface-robots in manufacturing and non-manufacturing applications-robot cell design - selection of a robot Total No Periods :60 Text Books: 1. Mikell P. Groover Weiss G.M. Nagel R.N. Odraj . N.G. Industrial Robotics, Mc Graw Hill Singapore, 2. Deb.S.R.Robotics Technology and flexible Automation , John wiley , USA 1992 3. Robotics, KS FU,RS Gonzalley CSG Lee-McGraw Hill REFERENCE BOOKS 1. Asfahl C.R. Robots and Manufacturing Automation, John Wiley , USA 1992. 2. Klafter R.D. Chimielewski T.A. and Negin M. Robotic Engineering- An integrated approach , 3. Mc Kerrow P.J. Introduction to Robotics, Addison Wesley, USA, 1991. 4. Isaac Asimov I Robot , Ballantine Books , New York , 1986. 5. Ghosh , Control in Robotics and Automation : Sensor Based Integration, Allied Publishers, 6ET E10 VLSI SIGNAL PROCESSING 4 1 0 100 UNIT I INTRODUCTION TO DSP SYSTEMS (12) Introduction To DSP Systems -Typical DSP algorithms; Iteration Bound - data flow graph representations, loop bound and iteration bound, Longest path Matrix algorithm; Pipelining and parallel processing - Pipelining of FIR digital filters, parallel processing, pipelining and parallel processing for low power. UNIT II RETIMING (12) Retiming - definitions and properties; Unfolding - an algorithm for Unfolding, properties of unfolding, sample period reduction and parallel processing application; Algorithmic strength reduction in filters and transforms - 2-parallel FIR filter, 2-parallel fast FIR filter, DCT algorithm architecture transformation, parallel architectures for rank-order filters, Odd- Even Merge- Sort architecture, parallel rank-order filters. UNIT III FAST CONVOLUTION (12) Fast convolution - Cook-Toom algorithm, modified Cook-Took algorithm; Pipelined and parallel recursive and adaptive filters - inefficient/efficient single channel interleaving, Look- Ahead pipelining in first- order IIR filters, Look-Ahead pipelining with power-of-two decomposition, Clustered Look-Ahead pipelining, parallel processing of IIR filters, combined pipelining and parallel processing of IIR filters, pipelined adaptive digital filters, relaxed look-ahead, pipelined LMS adaptive filter. UNIT IV BIT-LEVEL ARITHMETIC ARCHITECTURES (12) Scaling and roundoff noise- scaling operation, roundoff noise, state variable description of digital filters, scaling and roundoff noise computation, roundoff noise in pipelined first-order filters; Bit-Level Arithmetic Architectures- parallel multipliers with sign extension, parallel carry-ripple array multipliers, parallel carry-save multiplier, 4x 4 bit Baugh- Wooley carry-save multiplication tabular form and implementation, design of Lyon's bit-serial multipliers using Horner's rule, bit-serial FIR filter, CSD representation, CSD multiplication using Horner's rule for precision improvement. UNIT V PROGRAMMING DIGITAL SIGNAL PROCESSORS (12) Numerical Strength Reduction - sub expression elimination, multiple constant multiplications, iterative matching. Linear transformations; Synchronous, Wave and asynchronous pipelining- synchronous pipelining and clocking styles, clock skew in edge-triggered single-phase clocking, two-phase clocking, wave pipelining, asynchronous pipelining bundled data versus dual rail protocol; Programming Digital Signal Processors - general architecture with important features; Low power Design - needs for low power VLSI chips, charging and discharging capacitance, short-circuit current of an inverter, CMOS leakage current, basic principles of low power design. Total No of Periods:60 Text Books: 1. Keshab K.Parhi, "VLSI Digital Signal Processing systems, Design and implementation", Wiley, Inter Science, 1999. 6ET E11 EMBEDDED SYSTEMS 4 1 0 100 UNIT I INTRODUCTION (12) An Embedded system, characteristics of embedded systems, challenges, Embedded system design process-requirements, specification. UNIT II EMBEDDED ORGANISATION AND ARCHITECTURE (12) Architectural Design-Designing hardware and software components. System Integration SHARC Processor and Memory Organization, Data Operations, flow of control UNIT III EMBEDDED SOFTWARE DEVELOPMEMT PROCESS (12) Modeling Processes for software Analysis, Software Algorithms complexity, Software analysis, Software Design, Software Testing, validating and Debugging, Software Project Management. UNIT IV REAL TIME OPERATING SYSTEMS (12) I/O Subsystems, Network operating systems, Interrupt Routines in RTOS Environment-clock driven approach, Weighted round robin approach, priority driven approach, EDF algorithm, Performance Metrics in Scheduling Models. UNIT V SYSTEM DESIGN TECHNIQUES (12) Design methodologies, Requirement &amp; Specification analysis case studies in FOUR diverse applications-Explanations with relevant Examples. Total No of Periods:60 Text Book 1. Raj kamal, Embedded systems, Architecture, Programming and Design' Tata McGraw -hill 2003 References: 1. David.E.Simon 'An Embedded software Primer', Addision Wesley Longman 1999 2. Arnold.S.Berger, 'Embedded systems Design-An Introduction to Processes, Tools and Techniques', CMP Books 2001 3. Frank vahid and Tony Givaris, 'Embedded system- A unified hardware/ Software Introduction', john wiley and sons 4. John B Peat man " Design with Microcontroller ", Pearson education Asia, 1998. 6EC E03 Programming in MAT Lab 4 1 0 100 (Common to ECE,EIE,ETCE) Unit I Mat Lab Environment (12) Defining Variables - functions - Matrices and Vectors -Strings - Input and Output statements -Script files - Arrays in Mat lab - Addressing Arrays - Dynamic Array - Cell Array - Structure Array - File input and output - Opening &amp; Closing - Writing &amp; Reading data from files Unit II Programming in Mat lab (12) Relational and logical operators - Control statements IF-END , IF-ELSE - END,ELSEIF , SWITCH CASE - FOR loop - While loop - Debugging - Applications to Simulation - miscellaneous MAT lab functions &amp; Variables. Unit III Plotting in Mat lab (12) Basic 2D plots - modifying line styles - markers and colors - grids - placing text on aplot - Various / Special Mat Lab 2D plot types - SEMILOGX - SEMILOGY - LOG LOG - POLAR - COMET - Example frequency response of filter circuits. Unit - IV Application of Mat lab (12) Linear algebric equations - elementary solution method - matrix method for linear equation - Cramer's method - Statistics , Histogram and probability - normal distribution - random number generation - Interpolation - Analytical solution to differential equations - Numerical methods for differential equations. Unit V Tool Boxes (12) Simulink - Simulink model for a dead zone system , nonlinear system - Applications in DSP - Computation of DFT &amp; FFT - Filter structure -IIR &amp; FIR filter design - Applications in Communication PCM , DPCM, DM, DTMF . Total No of Periods:60 Text Book: 1. Introduction to MAT Lab 6.0 for Engineers - William J.Palm , Mc Graw Hill &amp; Co Reference Books : 1. Programming in Mat Lab - M.Herniter ,Thomson Learning 2. Getting Started with MAT LAB - Rudra Pratap ,Oxford University Press 3. Digital Signal Processing using MAT Lab - John .G.Proakis , Thomson Learning 6IC E02 MECHATRONICS 5 0 0 100 Common to E&amp;C,EIE,ECE.ETCE,EEE UNIT-I INTRODUCTION (12) Mechatronics Definition &amp; Key Issues - Evolution - Elements - Mechatronics Approach to Modern Engineering Design. UNIT-II SENSORS AND TRANSDUCERS (12) Types - Displacement, Position, and Proximity &amp; Velocity Sensors - Signal Processing - Data Display. UNIT-III ACTUATION SYSTEMS (12) Mechanical Types - Applications - Electrical Types - Applications - Pneumatic &amp; Hydraulic Systems - Applications - Selection of Actuators UNIT-IV CONTROL SYSTEMS (12) Types of Controllers - Programmable Logic Controllers - Applications - Ladder Diagrams - Microprocessor Applications in Mechatronics - Programming Interfacing - Computer Applications UNIT-V RECENT ADVANCES (12) Manufacturing Mechatronics - Automobile Mechatronics - Medical Mechatronics - Office Automation - Case Studies TOTAL NUMBER OF PERIODS: 60 Text Books: 1. Bulton, N, "Mechatronics: Electronic Control System for Mechanical &amp; Electrical Engineering", Longman, 1995 REFERENCE BOOKS 1. Dradly , D.A.Dawson D.Burd N.C. &amp; Loader, AJ "Mechatronics: Electronics in Products and Processor" Chapman &amp; Hall, 1993 2. Galip Ulsoy A And Devires WR, "Microcomputer Applications in Manufacturing", John Wiley, USA, 1989 3. James Harter, "Electro Mechanics Principles Concepts and Devices", Prentice Hall, New Jersey 1995.


Related questions

What is the order of Runge-Kutta method in a modified Euler's method?

Typical application of Runge-Kutta is a fourth order method. See related link.


What has the author Chistopher A Kennedy written?

Chistopher A. Kennedy has written: 'Low-storage, explicit Runge-Kutta schemes for the compressible Navier-Stokes equations' -- subject(s): Stability, Errors, Direct numerical simulation, Wave equations, Runge-Kutta method, Navier-Stokes equation


What has the author Christopher A Kennedy written?

Christopher A. Kennedy has written: 'Comparison of several numerical methods for simulation of compressible shear layers' 'Additive Runge-Kutta schemes for convection-diffusion-reaction equations' -- subject(s): Convection-diffusion equation, Runge-Kutta method, Composite functions


What are the applications of runge kutta method?

The Runge-Kutta method is one of several numerical methods of solving differential equations. Some systems motion or process may be governed by differential equations which are difficult to impossible to solve with emperical methods. This is where numerical methods allow us to predict the motion, without having to solve the actual equation.


What has the author Lawrence F Shampine written?

Lawrence F. Shampine has written: 'Fundamentals of numerical computing' -- subject(s): Numerical analysis, Data processing 'The variable order Runge-Kutta code RKSW and its performance' -- subject(s): Runge-Kutta formulas 'Variable order Runge-Kutta codes' -- subject(s): Runge-Kutta formulas 'Theory and practice of solving ordinary differential equations (ODEs)' -- subject(s): Differential equations, Numerical solutions 'Variable order Runge-Kutta codes' -- subject(s): Runge-Kutta formulas 'A user's view of solving stiff ordinary differential equations' -- subject(s): Differential equations, Numerical solutions, Stiff computation (Differential equations) 'Linear equations in general purpose codes for stiff OKEs' -- subject(s): Differential equations, Numerical solutions 'Evaluation of implicit formulas for the solution of ODEs' -- subject(s): Implicit functions, Differential equations 'The variable order Runge-Kutta code RKSW and its performance' -- subject(s): Runge-Kutta formulas 'The variable order Runge-Kutta code RKSW and its performance' -- subject(s): Runge-Kutta formulas


Which numerical method gives more accuracy?

I may be wrong, but I think the question is kind of ambiguous. Do you mean a numerical integration method, a numerical differentiation method, a pivoting method, ... specify.


What is Trial and error method of balancing chemical equations?

it is tedious and takes a long time it is quite difficultto balance a chemical equation


Where is the Runge Museum in Runge Texas located?

The address of the Runge Museum is: Po Box 103, Runge, TX 78151-0103


Where is the Runge Public Library in Runge located?

The address of the Runge Public Library is: 311 N Helena St, Runge, 78151 M


What is the birth name of Boris Runge?

Boris Runge's birth name is Runge, Boris Vasilyevich.


What is the birth name of Ed Runge?

Ed Runge's birth name is Edward Paul Runge.


What is the birth name of Paul Runge?

Paul Runge's birth name is Paul Edward Runge.