Chapter IX. Roots of Equations

Size: px
Start display at page:

Download "Chapter IX. Roots of Equations"

Transcription

1 14 Chapter IX Roots of Equations Root solving typially onsists of finding values of x whih satisfy a relationship suh as: 3 3 x + x = 1 + e x The problem an be restated as: Find the root of 3 f ( x) = 3 x + x 1 e x In this hapter we will over three methods for root finding: The half-interval method The Newton-Raphson Method The Bairstow method for roots of polynomials 91 The Half-Interval Method Figure 91 Half-Interval Method Find two values that braket a root of the given funtion That is, the root is bounded by ( x, x ) suh that P N f ( x ) > and f ( x ) < P N

2 The half interval method is desribed as follows: Compute x M 3 Compute f ( x M ) = x P + 4 If f ( x ) ε Root = x M x N 143 Example Find 7 using the half-interval method Solution The equation to solve is x 7 = or obtain the root of: f ( x) = x 7 M exit 5 If f ( xm) < xn = xm else xp = xm 6 Repeat steps (1) to (4) g is a small number, typially 1-7, that determines the auray of the root Following the above proedure let xp = 3 f ( 3) = 9 7 = > and xn = f ( ) = 4 7 = 3< x M = = = 5 f ( x M ) = ( 5 ) 7= 75 < 3 f ( x M ) 1 7? no 4 xn = 5 xp = 3 5 Repeat Steps 1 to x M = = 75 f ( x M ) = ( 75) 7 = 565 > 3 f ( x M ) < 1 7? no

3 144 4 xp = 75 xn = 5 et Example Develop a lass Root based on the Half-interval method for root finding Solution The following utilizes pointer to a funtion to allow the user of the lass Root to supply his own funtion without having to make any hanges in the lass Thus leaving the integrity of the lass intat (the way it s supposed to be) #inlude <iostreamh> #inlude <onioh> #inlude <mathh> lass Root private: double xp, xn; double (*f)(double x); //pointer to user supplied funtion publi: Root(double(*F)(double x), double xdp, double xdn) f=f; xp=xdp; xn=xdn; double HLFINT(); ; double Root::HLFINT() double xm; double y; double EPS=1e-7; do xm=(xp+xn)/; y=f(xm); if(y>) xp=xm; else xn=xm; while(fabs(y) > EPS); return xm;

4 145 //User supplied funtion double fun(double x) return x*x-7; // int main() Root sqrt7(fun,3,); out << "Square root of 7 = " << sqrt7hlfint() << endl; geth(); return 1; 9 Newton-Raphson s Method The Taylor series expansion of f(x) about x is given by: f ( x) = f ( x ) + ( x x ) f ( x ) + ( x x)! f ( x ) + If f(x) = then x must be the root of f(x) Negleting terms higher or equal to seond order we an write = f x + x x f x ( ) ( ) ( ) ( x x ) = Writing the above equation in an iterative form we get: xi+ 1 = xi f ( xi ) f ( x ) i f ( x) f ( x ) A graphial interpretation of the Newton-Raphson s method is shown in Fig9

5 146 From Fig 9 we an write: f ( x) x x or 1 x = f ( x ) = x 1 f ( x) f ( x ) Figure 9 The Newton-Raphson s Method After omputing x 1 from x set x = x 1 and repeat the proess In so doing we an approah the root in a few iterations Proedure 1 Selet an initial value x 1 Compute f ( x1) 3 Compute f ( x ) 4 Compute x = x 1 1 f ( x1) f ( x ) 5 If x x1 ε then root x and exit 6 Repeat steps () to (5) 1 In the above proedure we used a different stopping riterion from the one used with the half-interval method You an use any one of the two riteria for terminating the iteration in either methods of

6 147 root finding, however, in some ases where the slope within the viinity of the root is small the seond riterion would be more suitable Example Modify the lass Root to inlude the Newton-Raphson s method Solution To do so we will overload the onstrutor to add the derivative of the funtion and a starting point The modified lass Root is shown next #inlude <iostreamh> #inlude <onioh> #inlude <mathh> lass Root private: double xp, xn; double xst; //start x for newton-raphson double (*f)(double x); //pointer to user supplied funtion double (*fd)(double x); //derivative of (*f)(x) for newton-raphson publi: Root(double(*F)(double x), double xdp, double xdn) f=f; xp=xdp; xn=xdn; Root(double(*F)(double x), double(*fd)(double x), double xi ) f=f; fd=fd; xst=xi; double HLFINT(); //Half interval double NR(); //Newton-Raphson ; double Root::HLFINT() double xm; double y; double EPS=1e-7; do xm=(xp+xn)/; y=f(xm); if(y>) xp=xm;

7 148 else xn=xm; while(fabs(y) > EPS); return xm; double Root::NR() double EPS=1e-7; double x1, x; x1=xst; while(1) x=x1-(*f)(x1)/(*fd)(x1); if(fabs(x-x1)<=eps) break; x1=x; return x; //User supplied funtion double fun(double x) return x*x-7; //User supplied derivative double fund(double x) return *x; // int main() Root sqrt7(fun,3,); Root sqrt7nr(fun,fund,); out << "Square root of 7 using half interval method= " << sqrt7hlfint() << endl; out << "Square root of 7 using Newton Raphson's method= " << sqrt7nrnr() << endl;

8 149 geth(); return 1; Example Find 7 using the Newton-Raphson s method ( = 1) Solution Using Newton-Raphson s method we an derive the iterative equation: x = x1 + a x 1 where a = 7 for this problem We will leave the derivation as well as the hand alulation as an exerise to the reader Exerise Develop a funtion for the square-root of a positive number a Use as initial guess x=a/ if a>1 and x=a if a<1 Exerise The square-root of a omplex number an be obtained as follows: x+ iy = a + ib or x y + ixy = a + ib Equating real to real and imaginary to imaginary we get: x y = a xy = b Solving the above two equations to isolate x we get: 4x 4 4ax b = and y b = x Using the last two equations and Newton-Raphson s method develop an algorithm and funtion for obtaining the square-root of a omplex number 93 The Bairstow s method Bairstow s method is an iterative method whih involves finding quadrati fators, f ( x) = x + ux + v of the polynomial: n n 1 n ax + ax + ax + + a = 1 n

9 15 where a =1 We will first present the proedure, then the C++ ode and then we will follow with the derivation of the method This is going in reverse to the traditional approah of derivation, proedure, and then ode but it helps to keep the fous on development and builds uriosity as to the soure of the approah after one has experiened suess with the method Proedure 1 Selet initial values for u and v Most frequently these are taken as u=v= Calulate b, b,, from 1 b n 3 Calulate 1,, 3,, n 1 from 4 Calulate )u and )v from: bi = ai bi 1u bi v ( i = 3,,, n) where b = 1 and b = a u 1 1 i = bi i 1u i v ( i = 3,,, n 1) where = 1 and = b u 1 1 u = b bn n n n n 1 n 3 1 n n 3 v = n 1 b b n n n 1 n 1 n n n 3 5 Inrement u and v by )u and )v u = u+ u v = v + v 6 Return to step and repeat the proedure until )u and )v approah zero within some preassigned value g suh that u + v < ε An upper limit of iterations should be speified to protet against non-onvergene If

10 151 onvergene to the desired result does not our after the speified number of iterations, then new starting values should be seleted Frequently, suitable starting values for u and v may be determined from u a a and v=a a = n 1 n n n The following C++ ode follows from the above proedure It does not, however, ontain all the bells and whistles For example it does not hek for the number of iterations before onvergene (we leave that part to the reader to modify) The lass RootPoly in the program is tested on two polynomials: x 3x 1x + 1x + 44x + 48 = 3 x 3x x + 9 = #inlude <iostreamh> #inlude <onioh> #inlude <mathh> lass RootPoly private: double *a; double *b; double *; int n; double *rootr; double *rooti; publi: RootPoly(double *oeff, int n); ~RootPoly(); void Bairstow(); double *getrootsr() return rootr; double *getrootsi() return rooti; ; RootPoly::RootPoly(double *oeff, int order)

11 15 n=order; a=new double[n+1]; b=new double[n+1]; =new double[n]; for(int i=; i <= n; i++) a[i]=oeff[i]; rootr = new double[n]; rooti = new double[n]; RootPoly::~RootPoly() delete[] a; delete[] b; delete[] ; delete[] rootr; delete[] rooti; void RootPoly::Bairstow() double u,v; double EPS=1e-7, D, Du, Dv, d; int i,k=; //seleting initial values for u and v if(a[n-]!=) u=a[n-1]/a[n-]; v=a[n]/a[n-]; else u=v=1; //Starting the iterations int iter=; while(n>=) iter++; do b[]=1; b[1]=a[1]-u;

12 153 for(i=; i <= n; i++) b[i]=a[i]-b[i-1]*u-b[i-]*v; []=1; [1]=b[1]-u; for(i=; i < n; i++) [i]=b[i]-[i-1]*u-[i-]*v; if(n==3) D=[n-1]-[n-]*[n-]; Du=(b[n]-b[n-1]*[n-])/D; else D = [n-1]*[n-3]-[n-]*[n-]; Du = (b[n]*[n-3]-b[n-1]*[n-])/d; Dv = (b[n-1]*[n-1]-b[n]*[n-])/d; if((fabs(du)+fabs(dv))<eps) break; u=u+du; v=v+dv; while(1); iter=; d=u*u-4*v; if(d >= ) rootr[k] = (-u + sqrt(d))/; rooti[k] = ; k++; rootr[k] = (-u - sqrt(d))/; rooti[k] = ; k++; else rootr[k] = -u/; rooti[k] = sqrt(-d)/; k++; rootr[k] = -u/; rooti[k] =-sqrt(-d)/; k++; n=n-;

13 154 for(i=; i<=n; i++) a[i] = b[i]; //losing braket for while if(n == 1) rootr[k] = -a[1]; rooti[k] = ; if(n==) d=a[1]*a[1]-4*a[]; if( d < ) rootr[k]=-a[1]/; rooti[k]=sqrt(-d)/; k++; rootr[k]=-a[1]/; rooti[k]=-sqrt(-d)/; else rootr[k]=(-a[1]+sqrt(d))/; rooti[k]=; k++; rootr[k]=(-a[1]-sqrt(d))/; rooti[k]=; // int main() double oeff[]=1,-3,-1,1,44,48; //double oeff[]=1,-3,-1,9; int n=sizeof(oeff)/sizeof(double)-1; out << "n=" << n << endl; RootPoly roots(oeff,n);

14 155 rootsbairstow(); double *RootsReal, *RootsImag; RootsReal=new double[n]; RootsImag=new double[n]; RootsReal=rootsgetRootsr(); RootsImag=rootsgetRootsi(); out << "ROOTS : " << endl; for(int i=; i<n; i++) if( RootsImag[i]>) out << RootsReal[i] << " +i" << RootsImag[i] << endl; else if(rootsimag[i]<) out << RootsReal[i] << " -i" << -RootsImag[i] << endl; else out << RootsReal[i] << endl; geth(); return 1; Those who have utilized proedural languages suh FORTRAN, BASIC or C an realize the great advantage of working with OOP C++ Classes offer the programmer the ability of developing effiient ode Eah member funtion speializes in one speifi task For example memory alloation is arried-out in the onstrutor and dealloation in the destrutor Other member funtions eah is speialized to arry-out a speifi task without the need to inlude data initialization This is arried out by the onstrutor as in the above program along with memory alloation of private pointer variables This a far superior approah to just struture programming used in proedural languages Running the above program for eah polynomial we get the following answers: n=5 ROOTS : i1-1 -i1 4 n=3

15 156 ROOTS : 655 +i i You an hek if the answers are orret by substituting eah oeffiient in the polynomial The program does not arry-out this task but that is something that an be inluded in the version that the reader will develop Anyway, the answers are orret and now we are ready to move on to the derivation of the Bairstows method Dividing the polynomial x n a x n a x n + + a 1 n n 1 n x + a1x + ax + + an n n 1 n = ( x + ux + v)( x + bx + b x + + b x + b ) + b ( x+ u) + b 1 n by a quadrati equation of the form x + ux + v yields a quotient whih is polynomial of order n- and a remainder whih is a polynomial of order one That is: n 3 n n 1 n where bn 1( x + u) + bnis the remainder after division of the polynomial by the quadrati equation The reason the remainder was plaed in this form is to provide simpliity in the solution as we will see later Equating oeffiients of like powers on both sides we get: or we an write a = b + u 1 1 a = b + ub + v 1 a = b + ub + vb a = b + ub + vb i i i 1 i a = b + ub + vb n 1 n 1 n n 3 a = b + ub + vb n n n 1 n

16 157 b = a u 1 1 b = a ub vb 1 b = a ub vb b = a ub vb i i i 1 i b = a ub vb n 1 n 1 n n 3 b = a ub vb n n n 1 n (91) We would like both b n-1 and b n to be zero to ensure that the quadrati x + ux + v is a fator of the polynomial Sine the b s are funtions of u and v and if we an adjust u by )u and v by )v suh that both b n-1 and b n approah zero Of ourse we will have to do this iteratively as we have observed in the proedure we used in developing the C++ ode for Bairstow s method Expressing b n-1 and b n as funtions of two variables u+)u and v+)v and expanding in a Taylor series expansion for two variables We assume that )u and )v are small enough that we an neglet higher-order terms bn bn bn( u+ u, v + v) = bn + u + v v bn 1 bn 1 bn 1( u+ u, v + v) = bn 1 + u + v v (9) where the terms on the right are evaluated for values of u and v Taking partial derivatives of equations (91) with respet to u and defining these in terms of s, we obtain the following:

17 b1 b b3 b4 bi bn 1 bn = 1 = = u b = = b + u+ v = 1 = b + u+ v =! = b + u+ v =! i 1 i i 3 i 1 = b + u+ v = n n 3 n 4 n = b + u+ v = n 1 n n 3 Similarly, taking the partial derivatives of equations (91) with respet to v and relating these with respet to the s, we obtain the following: n 1 (93) b1 v b v b3 v b4 bi v bn 1 v bn v = = 1 = = u b = 1 1 = b + u+ v =! 1 = b + u+ v =! i i 3 i 4 i = b + u+ v = n 3 n 4 n 5 n 3 = b + u+ v = n n 3 n 4 n (94)

18 159 From either Eq93 and 94, we see that i = bi i 1 i v ( i = 3,,, n 1) (95) where = 1 and 1 = b 1 - u From Eqs (93) and (94), Eq(9) an be written in the form: bn = n 1 u+ n v b = u+ v n 1 n n 3 Solving these two simultaneous equations we get: u = b bn n n n n 1 n 3 1 n n 3 v = n 1 b b n n n 1 n 1 n n n 3 whih leads us to the proedure desribed previously for the Bairstow s method Problems 1 Find a root of Fx ( ) = x tanxin the interval [4,45] using the Half-interval method Repeat problem 1 using the Newton-Raphson method with a starting value of 45 3 Find the root of Fx ( ) = xosx sinxin the interval [4,45] using the Newton-Raphson method with a starting value of 4 4 Obtain the square root of the omplex number 7+i6 using the Newton-Raphson Method 5 When the Earth is assumed to be a spheroid, the gravitational attration at a point on its surfae at the latitude angle N is g( φ) = ( sin ( φ) 59sin ( φ ) m / se At what latitude(s), in degrees, is g(n)=98? 6 Obtain the roots of the following polynomial using the Bairstow method:

19 (use the program given in se93) 16 4x 4 + x 3 + 3x + x + 1= 7 Improve the program given in se 93 by inluding onvergene heking and alulation of residual value for eah root, ie the value obtained when substituting eah root in the given polynomial

The Islamic University of Gaza Faculty of Engineering Civil Engineering Department. Numerical Analysis ECIV Chapter 5. Bracketing Methods

The Islamic University of Gaza Faculty of Engineering Civil Engineering Department. Numerical Analysis ECIV Chapter 5. Bracketing Methods The Islami University of Gaza Faulty of Engineering Civil Engineering Department Numerial Analysis ECIV 3306 Chapter 5 Braketing Methods Assoiate Prof. Mazen Abualtayef Civil Engineering Department, The

More information

Exercise 3: Quadratic sequences

Exercise 3: Quadratic sequences Exerise 3: s Problem 1: Determine whether eah of the following sequenes is: a linear sequene; a quadrati sequene; or neither.. 3. 4. 5. 6. 7. 8. 8;17;3;53;80; 3 p ;6 p ;9 p ;1 p ;15 p ; 1;,5;5;8,5;13;

More information

Chapter 2: One-dimensional Steady State Conduction

Chapter 2: One-dimensional Steady State Conduction 1 Chapter : One-imensional Steay State Conution.1 Eamples of One-imensional Conution Eample.1: Plate with Energy Generation an Variable Conutivity Sine k is variable it must remain insie the ifferentiation

More information

7.1 Roots of a Polynomial

7.1 Roots of a Polynomial 7.1 Roots of a Polynomial A. Purpose Given the oeffiients a i of a polynomial of degree n = NDEG > 0, a 1 z n + a 2 z n 1 +... + a n z + a n+1 with a 1 0, this subroutine omputes the NDEG roots of the

More information

( ) ( ) Volumetric Properties of Pure Fluids, part 4. The generic cubic equation of state:

( ) ( ) Volumetric Properties of Pure Fluids, part 4. The generic cubic equation of state: CE304, Spring 2004 Leture 6 Volumetri roperties of ure Fluids, part 4 The generi ubi equation of state: There are many possible equations of state (and many have been proposed) that have the same general

More information

11.1 Polynomial Least-Squares Curve Fit

11.1 Polynomial Least-Squares Curve Fit 11.1 Polynomial Least-Squares Curve Fit A. Purpose This subroutine determines a univariate polynomial that fits a given disrete set of data in the sense of minimizing the weighted sum of squares of residuals.

More information

Control Theory association of mathematics and engineering

Control Theory association of mathematics and engineering Control Theory assoiation of mathematis and engineering Wojieh Mitkowski Krzysztof Oprzedkiewiz Department of Automatis AGH Univ. of Siene & Tehnology, Craow, Poland, Abstrat In this paper a methodology

More information

CMSC 451: Lecture 9 Greedy Approximation: Set Cover Thursday, Sep 28, 2017

CMSC 451: Lecture 9 Greedy Approximation: Set Cover Thursday, Sep 28, 2017 CMSC 451: Leture 9 Greedy Approximation: Set Cover Thursday, Sep 28, 2017 Reading: Chapt 11 of KT and Set 54 of DPV Set Cover: An important lass of optimization problems involves overing a ertain domain,

More information

Complexity of Regularization RBF Networks

Complexity of Regularization RBF Networks Complexity of Regularization RBF Networks Mark A Kon Department of Mathematis and Statistis Boston University Boston, MA 02215 mkon@buedu Leszek Plaskota Institute of Applied Mathematis University of Warsaw

More information

Process engineers are often faced with the task of

Process engineers are often faced with the task of Fluids and Solids Handling Eliminate Iteration from Flow Problems John D. Barry Middough, In. This artile introdues a novel approah to solving flow and pipe-sizing problems based on two new dimensionless

More information

EECS 120 Signals & Systems University of California, Berkeley: Fall 2005 Gastpar November 16, Solutions to Exam 2

EECS 120 Signals & Systems University of California, Berkeley: Fall 2005 Gastpar November 16, Solutions to Exam 2 EECS 0 Signals & Systems University of California, Berkeley: Fall 005 Gastpar November 6, 005 Solutions to Exam Last name First name SID You have hour and 45 minutes to omplete this exam. he exam is losed-book

More information

An iterative least-square method suitable for solving large sparse matrices

An iterative least-square method suitable for solving large sparse matrices An iteratie least-square method suitable for soling large sparse matries By I. M. Khabaza The purpose of this paper is to report on the results of numerial experiments with an iteratie least-square method

More information

2.9 Incomplete Elliptic Integrals

2.9 Incomplete Elliptic Integrals .9 Inomplete Ellipti Integrals A. Purpose An integral of the form R t, P t) 1/) dt 1) in whih Pt) is a polynomial of the third or fourth degree that has no multiple roots, and R is a rational funtion of

More information

Wavetech, LLC. Ultrafast Pulses and GVD. John O Hara Created: Dec. 6, 2013

Wavetech, LLC. Ultrafast Pulses and GVD. John O Hara Created: Dec. 6, 2013 Ultrafast Pulses and GVD John O Hara Created: De. 6, 3 Introdution This doument overs the basi onepts of group veloity dispersion (GVD) and ultrafast pulse propagation in an optial fiber. Neessarily, it

More information

HOW TO FACTOR. Next you reason that if it factors, then the factorization will look something like,

HOW TO FACTOR. Next you reason that if it factors, then the factorization will look something like, HOW TO FACTOR ax bx I now want to talk a bit about how to fator ax bx where all the oeffiients a, b, and are integers. The method that most people are taught these days in high shool (assuming you go to

More information

Heat exchangers: Heat exchanger types:

Heat exchangers: Heat exchanger types: Heat exhangers: he proess of heat exhange between two fluids that are at different temperatures and separated by a solid wall ours in many engineering appliations. he devie used to implement this exhange

More information

Time Domain Method of Moments

Time Domain Method of Moments Time Domain Method of Moments Massahusetts Institute of Tehnology 6.635 leture notes 1 Introdution The Method of Moments (MoM) introdued in the previous leture is widely used for solving integral equations

More information

EE 321 Project Spring 2018

EE 321 Project Spring 2018 EE 21 Projet Spring 2018 This ourse projet is intended to be an individual effort projet. The student is required to omplete the work individually, without help from anyone else. (The student may, however,

More information

Analysis of discretization in the direct simulation Monte Carlo

Analysis of discretization in the direct simulation Monte Carlo PHYSICS OF FLUIDS VOLUME 1, UMBER 1 OCTOBER Analysis of disretization in the diret simulation Monte Carlo iolas G. Hadjionstantinou a) Department of Mehanial Engineering, Massahusetts Institute of Tehnology,

More information

A Heuristic Approach for Design and Calculation of Pressure Distribution over Naca 4 Digit Airfoil

A Heuristic Approach for Design and Calculation of Pressure Distribution over Naca 4 Digit Airfoil IOSR Journal of Engineering (IOSRJEN) ISSN (e): 2250-3021, ISSN (p): 2278-8719 PP 11-15 www.iosrjen.org A Heuristi Approah for Design and Calulation of Pressure Distribution over Naa 4 Digit Airfoil G.

More information

Advances in Radio Science

Advances in Radio Science Advanes in adio Siene 2003) 1: 99 104 Copernius GmbH 2003 Advanes in adio Siene A hybrid method ombining the FDTD and a time domain boundary-integral equation marhing-on-in-time algorithm A Beker and V

More information

A NETWORK SIMPLEX ALGORITHM FOR THE MINIMUM COST-BENEFIT NETWORK FLOW PROBLEM

A NETWORK SIMPLEX ALGORITHM FOR THE MINIMUM COST-BENEFIT NETWORK FLOW PROBLEM NETWORK SIMPLEX LGORITHM FOR THE MINIMUM COST-BENEFIT NETWORK FLOW PROBLEM Cen Çalışan, Utah Valley University, 800 W. University Parway, Orem, UT 84058, 801-863-6487, en.alisan@uvu.edu BSTRCT The minimum

More information

Canimals. borrowed, with thanks, from Malaspina University College/Kwantlen University College

Canimals. borrowed, with thanks, from Malaspina University College/Kwantlen University College Canimals borrowed, with thanks, from Malaspina University College/Kwantlen University College http://ommons.wikimedia.org/wiki/file:ursus_maritimus_steve_amstrup.jpg Purpose Investigate the rate of heat

More information

Chapter 15: Chemical Equilibrium

Chapter 15: Chemical Equilibrium Chapter 5: Chemial Equilibrium ahoot!. At eq, the rate of the forward reation is the rate of the reverse reation. equal to, slower than, faster than, the reverse of. Selet the statement that BEST desribes

More information

Strauss PDEs 2e: Section Exercise 1 Page 1 of 6

Strauss PDEs 2e: Section Exercise 1 Page 1 of 6 Strauss PDEs e: Setion.1 - Exerise 1 Page 1 of 6 Exerise 1 Solve u tt = u xx, u(x, 0) = e x, u t (x, 0) = sin x. Solution Solution by Operator Fatorization By fatoring the wave equation and making a substitution,

More information

Buckling loads of columns of regular polygon cross-section with constant volume and clamped ends

Buckling loads of columns of regular polygon cross-section with constant volume and clamped ends 76 Bukling loads of olumns of regular polygon ross-setion with onstant volume and lamped ends Byoung Koo Lee Dept. of Civil Engineering, Wonkwang University, Iksan, Junuk, 7-79, Korea Email: kleest@wonkwang.a.kr

More information

(c) Calculate the tensile yield stress based on a critical resolved shear stress that we will (arbitrarily) set at 100 MPa. (c) MPa.

(c) Calculate the tensile yield stress based on a critical resolved shear stress that we will (arbitrarily) set at 100 MPa. (c) MPa. 27-750, A.D. Rollett Due: 20 th Ot., 2011. Homework 5, Volume Frations, Single and Multiple Slip Crystal Plastiity Note the 2 extra redit questions (at the end). Q1. [40 points] Single Slip: Calulating

More information

Communicating Special Relativity Theory s Mathematical Inconsistencies

Communicating Special Relativity Theory s Mathematical Inconsistencies Communiating Speial Relatiity Theory s Mathematial Inonsistenies Steen B Bryant Primitie Logi, In, 704 Sansome Street, San Franiso, California 94111 Stee.Bryant@RelatiityChallenge.Com Einstein s Speial

More information

Theory. Coupled Rooms

Theory. Coupled Rooms Theory of Coupled Rooms For: nternal only Report No.: R/50/TCR Prepared by:. N. taey B.., MO Otober 00 .00 Objet.. The objet of this doument is present the theory alulations to estimate the reverberant

More information

Q2. [40 points] Bishop-Hill Model: Calculation of Taylor Factors for Multiple Slip

Q2. [40 points] Bishop-Hill Model: Calculation of Taylor Factors for Multiple Slip 27-750, A.D. Rollett Due: 20 th Ot., 2011. Homework 5, Volume Frations, Single and Multiple Slip Crystal Plastiity Note the 2 extra redit questions (at the end). Q1. [40 points] Single Slip: Calulating

More information

Controller Design Based on Transient Response Criteria. Chapter 12 1

Controller Design Based on Transient Response Criteria. Chapter 12 1 Controller Design Based on Transient Response Criteria Chapter 12 1 Desirable Controller Features 0. Stable 1. Quik responding 2. Adequate disturbane rejetion 3. Insensitive to model, measurement errors

More information

Calibration of Piping Assessment Models in the Netherlands

Calibration of Piping Assessment Models in the Netherlands ISGSR 2011 - Vogt, Shuppener, Straub & Bräu (eds) - 2011 Bundesanstalt für Wasserbau ISBN 978-3-939230-01-4 Calibration of Piping Assessment Models in the Netherlands J. Lopez de la Cruz & E.O.F. Calle

More information

Scientific Computing. Roots of Equations

Scientific Computing. Roots of Equations ECE257 Numerical Methods and Scientific Computing Roots of Equations Today s s class: Roots of Equations Polynomials Polynomials A polynomial is of the form: ( x) = a 0 + a 1 x + a 2 x 2 +L+ a n x n f

More information

A new initial search direction for nonlinear conjugate gradient method

A new initial search direction for nonlinear conjugate gradient method International Journal of Mathematis Researh. ISSN 0976-5840 Volume 6, Number 2 (2014), pp. 183 190 International Researh Publiation House http://www.irphouse.om A new initial searh diretion for nonlinear

More information

Model-based mixture discriminant analysis an experimental study

Model-based mixture discriminant analysis an experimental study Model-based mixture disriminant analysis an experimental study Zohar Halbe and Mayer Aladjem Department of Eletrial and Computer Engineering, Ben-Gurion University of the Negev P.O.Box 653, Beer-Sheva,

More information

The Hanging Chain. John McCuan. January 19, 2006

The Hanging Chain. John McCuan. January 19, 2006 The Hanging Chain John MCuan January 19, 2006 1 Introdution We onsider a hain of length L attahed to two points (a, u a and (b, u b in the plane. It is assumed that the hain hangs in the plane under a

More information

Simplified Buckling Analysis of Skeletal Structures

Simplified Buckling Analysis of Skeletal Structures Simplified Bukling Analysis of Skeletal Strutures B.A. Izzuddin 1 ABSRAC A simplified approah is proposed for bukling analysis of skeletal strutures, whih employs a rotational spring analogy for the formulation

More information

MOLECULAR ORBITAL THEORY- PART I

MOLECULAR ORBITAL THEORY- PART I 5.6 Physial Chemistry Leture #24-25 MOLECULAR ORBITAL THEORY- PART I At this point, we have nearly ompleted our rash-ourse introdution to quantum mehanis and we re finally ready to deal with moleules.

More information

Chapter 8 Hypothesis Testing

Chapter 8 Hypothesis Testing Leture 5 for BST 63: Statistial Theory II Kui Zhang, Spring Chapter 8 Hypothesis Testing Setion 8 Introdution Definition 8 A hypothesis is a statement about a population parameter Definition 8 The two

More information

Relative Maxima and Minima sections 4.3

Relative Maxima and Minima sections 4.3 Relative Maxima and Minima setions 4.3 Definition. By a ritial point of a funtion f we mean a point x 0 in the domain at whih either the derivative is zero or it does not exists. So, geometrially, one

More information

KAMILLA OLIVER AND HELMUT PRODINGER

KAMILLA OLIVER AND HELMUT PRODINGER THE CONTINUED RACTION EXPANSION O GAUSS HYPERGEOMETRIC UNCTION AND A NEW APPLICATION TO THE TANGENT UNCTION KAMILLA OLIVER AND HELMUT PRODINGER Abstrat Starting from a formula for tan(nx in the elebrated

More information

Collinear Equilibrium Points in the Relativistic R3BP when the Bigger Primary is a Triaxial Rigid Body Nakone Bello 1,a and Aminu Abubakar Hussain 2,b

Collinear Equilibrium Points in the Relativistic R3BP when the Bigger Primary is a Triaxial Rigid Body Nakone Bello 1,a and Aminu Abubakar Hussain 2,b International Frontier Siene Letters Submitted: 6-- ISSN: 9-8, Vol., pp -6 Aepted: -- doi:.8/www.sipress.om/ifsl.. Online: --8 SiPress Ltd., Switzerland Collinear Equilibrium Points in the Relativisti

More information

The universal model of error of active power measuring channel

The universal model of error of active power measuring channel 7 th Symposium EKO TC 4 3 rd Symposium EKO TC 9 and 5 th WADC Workshop nstrumentation for the CT Era Sept. 8-2 Kosie Slovakia The universal model of error of ative power measuring hannel Boris Stogny Evgeny

More information

QUANTUM MECHANICS II PHYS 517. Solutions to Problem Set # 1

QUANTUM MECHANICS II PHYS 517. Solutions to Problem Set # 1 QUANTUM MECHANICS II PHYS 57 Solutions to Problem Set #. The hamiltonian for a lassial harmoni osillator an be written in many different forms, suh as use ω = k/m H = p m + kx H = P + Q hω a. Find a anonial

More information

F = F x x + F y. y + F z

F = F x x + F y. y + F z ECTION 6: etor Calulus MATH20411 You met vetors in the first year. etor alulus is essentially alulus on vetors. We will need to differentiate vetors and perform integrals involving vetors. In partiular,

More information

The numbers inside a matrix are called the elements or entries of the matrix.

The numbers inside a matrix are called the elements or entries of the matrix. Chapter Review of Matries. Definitions A matrix is a retangular array of numers of the form a a a 3 a n a a a 3 a n a 3 a 3 a 33 a 3n..... a m a m a m3 a mn We usually use apital letters (for example,

More information

Chemical Engineering Thermodynamics II ( ) 02 - The Molar Gibbs Free Energy & Fugacity of a Pure Component

Chemical Engineering Thermodynamics II ( ) 02 - The Molar Gibbs Free Energy & Fugacity of a Pure Component Chemial Engineering Thermodynamis II (090533) 0 - The Molar Gibbs Free Energy & Fugaity of a ure Component Dr. Ali Khalaf Al-matar Chemial Engineering Department University of Jordan banihaniali@yahoo.om

More information

UTC. Engineering 329. Proportional Controller Design. Speed System. John Beverly. Green Team. John Beverly Keith Skiles John Barker.

UTC. Engineering 329. Proportional Controller Design. Speed System. John Beverly. Green Team. John Beverly Keith Skiles John Barker. UTC Engineering 329 Proportional Controller Design for Speed System By John Beverly Green Team John Beverly Keith Skiles John Barker 24 Mar 2006 Introdution This experiment is intended test the variable

More information

max min z i i=1 x j k s.t. j=1 x j j:i T j

max min z i i=1 x j k s.t. j=1 x j j:i T j AM 221: Advaned Optimization Spring 2016 Prof. Yaron Singer Leture 22 April 18th 1 Overview In this leture, we will study the pipage rounding tehnique whih is a deterministi rounding proedure that an be

More information

Sampler-A. Secondary Mathematics Assessment. Sampler 521-A

Sampler-A. Secondary Mathematics Assessment. Sampler 521-A Sampler-A Seondary Mathematis Assessment Sampler 521-A Instrutions for Students Desription This sample test inludes 14 Seleted Response and 4 Construted Response questions. Eah Seleted Response has a

More information

Chapter 2: Solution of First order ODE

Chapter 2: Solution of First order ODE 0 Chapter : Solution of irst order ODE Se. Separable Equations The differential equation of the form that is is alled separable if f = h g; In order to solve it perform the following steps: Rewrite the

More information

IMPEDANCE EFFECTS OF LEFT TURNERS FROM THE MAJOR STREET AT A TWSC INTERSECTION

IMPEDANCE EFFECTS OF LEFT TURNERS FROM THE MAJOR STREET AT A TWSC INTERSECTION 09-1289 Citation: Brilon, W. (2009): Impedane Effets of Left Turners from the Major Street at A TWSC Intersetion. Transportation Researh Reord Nr. 2130, pp. 2-8 IMPEDANCE EFFECTS OF LEFT TURNERS FROM THE

More information

A variant of Coppersmith s Algorithm with Improved Complexity and Efficient Exhaustive Search

A variant of Coppersmith s Algorithm with Improved Complexity and Efficient Exhaustive Search A variant of Coppersmith s Algorithm with Improved Complexity and Effiient Exhaustive Searh Jean-Sébastien Coron 1, Jean-Charles Faugère 2, Guénaël Renault 2, and Rina Zeitoun 2,3 1 University of Luxembourg

More information

Supplementary Materials

Supplementary Materials Supplementary Materials Neural population partitioning and a onurrent brain-mahine interfae for sequential motor funtion Maryam M. Shanehi, Rollin C. Hu, Marissa Powers, Gregory W. Wornell, Emery N. Brown

More information

Calculation of Desorption Parameters for Mg/Si(111) System

Calculation of Desorption Parameters for Mg/Si(111) System e-journal of Surfae Siene and Nanotehnology 29 August 2009 e-j. Surf. Si. Nanoteh. Vol. 7 (2009) 816-820 Conferene - JSSS-8 - Calulation of Desorption Parameters for Mg/Si(111) System S. A. Dotsenko, N.

More information

Chapter 15 Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium 5/27/2014

Chapter 15 Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium 5/27/2014 Amount of reatant/produt 5/7/01 quilibrium in Chemial Reations Lets look bak at our hypothetial reation from the kinetis hapter. A + B C Chapter 15 quilibrium [A] Why doesn t the onentration of A ever

More information

Math 151 Introduction to Eigenvectors

Math 151 Introduction to Eigenvectors Math 151 Introdution to Eigenvetors The motivating example we used to desrie matrixes was landsape hange and vegetation suession. We hose the simple example of Bare Soil (B), eing replaed y Grasses (G)

More information

Solution of Algebric & Transcendental Equations

Solution of Algebric & Transcendental Equations Page15 Solution of Algebric & Transcendental Equations Contents: o Introduction o Evaluation of Polynomials by Horner s Method o Methods of solving non linear equations o Bracketing Methods o Bisection

More information

Determination of the reaction order

Determination of the reaction order 5/7/07 A quote of the wee (or amel of the wee): Apply yourself. Get all the eduation you an, but then... do something. Don't just stand there, mae it happen. Lee Iaoa Physial Chemistry GTM/5 reation order

More information

An Adaptive Optimization Approach to Active Cancellation of Repeated Transient Vibration Disturbances

An Adaptive Optimization Approach to Active Cancellation of Repeated Transient Vibration Disturbances An aptive Optimization Approah to Ative Canellation of Repeated Transient Vibration Disturbanes David L. Bowen RH Lyon Corp / Aenteh, 33 Moulton St., Cambridge, MA 138, U.S.A., owen@lyonorp.om J. Gregory

More information

3.2 Gaussian (Normal) Random Numbers and Vectors

3.2 Gaussian (Normal) Random Numbers and Vectors 3.2 Gaussian (Normal) Random Numbers and Vetors A. Purpose Generate pseudorandom numbers or vetors from the Gaussian (normal) distribution. B. Usage B.1 Generating Gaussian (normal) pseudorandom numbers

More information

The simulation analysis of the bridge rectifier continuous operation in AC circuit

The simulation analysis of the bridge rectifier continuous operation in AC circuit Computer Appliations in Eletrial Engineering Vol. 4 6 DOI 8/j.8-448.6. The simulation analysis of the bridge retifier ontinuous operation in AC iruit Mirosław Wiślik, Paweł Strząbała Kiele University of

More information

6.4 Dividing Polynomials: Long Division and Synthetic Division

6.4 Dividing Polynomials: Long Division and Synthetic Division 6 CHAPTER 6 Rational Epressions 6. Whih of the following are equivalent to? y a., b. # y. y, y 6. Whih of the following are equivalent to 5? a a. 5, b. a 5, 5. # a a 6. In your own words, eplain one method

More information

Probabilistic Graphical Models

Probabilistic Graphical Models Probabilisti Graphial Models David Sontag New York University Leture 12, April 19, 2012 Aknowledgement: Partially based on slides by Eri Xing at CMU and Andrew MCallum at UMass Amherst David Sontag (NYU)

More information

MATHEMATICAL AND NUMERICAL BASIS OF BINARY ALLOY SOLIDIFICATION MODELS WITH SUBSTITUTE THERMAL CAPACITY. PART II

MATHEMATICAL AND NUMERICAL BASIS OF BINARY ALLOY SOLIDIFICATION MODELS WITH SUBSTITUTE THERMAL CAPACITY. PART II Journal of Applied Mathematis and Computational Mehanis 2014, 13(2), 141-147 MATHEMATICA AND NUMERICA BAI OF BINARY AOY OIDIFICATION MODE WITH UBTITUTE THERMA CAPACITY. PART II Ewa Węgrzyn-krzypzak 1,

More information

Tutorial 4 (week 4) Solutions

Tutorial 4 (week 4) Solutions THE UNIVERSITY OF SYDNEY PURE MATHEMATICS Summer Shool Math26 28 Tutorial week s You are given the following data points: x 2 y 2 Construt a Lagrange basis {p p p 2 p 3 } of P 3 using the x values from

More information

Strauss PDEs 2e: Section Exercise 3 Page 1 of 13. u tt c 2 u xx = cos x. ( 2 t c 2 2 x)u = cos x. v = ( t c x )u

Strauss PDEs 2e: Section Exercise 3 Page 1 of 13. u tt c 2 u xx = cos x. ( 2 t c 2 2 x)u = cos x. v = ( t c x )u Strauss PDEs e: Setion 3.4 - Exerise 3 Page 1 of 13 Exerise 3 Solve u tt = u xx + os x, u(x, ) = sin x, u t (x, ) = 1 + x. Solution Solution by Operator Fatorization Bring u xx to the other side. Write

More information

On Component Order Edge Reliability and the Existence of Uniformly Most Reliable Unicycles

On Component Order Edge Reliability and the Existence of Uniformly Most Reliable Unicycles Daniel Gross, Lakshmi Iswara, L. William Kazmierzak, Kristi Luttrell, John T. Saoman, Charles Suffel On Component Order Edge Reliability and the Existene of Uniformly Most Reliable Uniyles DANIEL GROSS

More information

Errata and changes for Lecture Note 1 (I would like to thank Tomasz Sulka for the following changes): ( ) ( ) lim = should be

Errata and changes for Lecture Note 1 (I would like to thank Tomasz Sulka for the following changes): ( ) ( ) lim = should be Errata and hanges for Leture Note (I would like to thank Tomasz Sulka for the following hanges): Page 5 of LN: f f ' lim should be g g' f f ' lim lim g g ' Page 8 of LN: the following words (in RED) have

More information

V. Interacting Particles

V. Interacting Particles V. Interating Partiles V.A The Cumulant Expansion The examples studied in the previous setion involve non-interating partiles. It is preisely the lak of interations that renders these problems exatly solvable.

More information

Cavity flow with surface tension past a flat plate

Cavity flow with surface tension past a flat plate Proeedings of the 7 th International Symposium on Cavitation CAV9 Paper No. ## August 7-, 9, Ann Arbor, Mihigan, USA Cavity flow with surfae tension past a flat plate Yuriy Savhenko Institute of Hydromehanis

More information

Experiment 03: Work and Energy

Experiment 03: Work and Energy MASSACHUSETTS INSTITUTE OF TECHNOLOGY Physis Department Physis 8.01 Purpose of the Experiment: Experiment 03: Work and Energy In this experiment you allow a art to roll down an inlined ramp and run into

More information

Writing a VUMAT. Appendix 3. Overview

Writing a VUMAT. Appendix 3. Overview ABAQUS/Expliit: Advaned Topis Appendix 3 Writing a VUMAT ABAQUS/Expliit: Advaned Topis A3.2 Overview Introdution Motivation Steps Required in Writing a VUMAT Example: VUMAT for Kinemati Hardening Plastiity

More information

Application of the Dyson-type boson mapping for low-lying electron excited states in molecules

Application of the Dyson-type boson mapping for low-lying electron excited states in molecules Prog. Theor. Exp. Phys. 05, 063I0 ( pages DOI: 0.093/ptep/ptv068 Appliation of the Dyson-type boson mapping for low-lying eletron exited states in moleules adao Ohkido, and Makoto Takahashi Teaher-training

More information

Optimization of Statistical Decisions for Age Replacement Problems via a New Pivotal Quantity Averaging Approach

Optimization of Statistical Decisions for Age Replacement Problems via a New Pivotal Quantity Averaging Approach Amerian Journal of heoretial and Applied tatistis 6; 5(-): -8 Published online January 7, 6 (http://www.sienepublishinggroup.om/j/ajtas) doi:.648/j.ajtas.s.65.4 IN: 36-8999 (Print); IN: 36-96 (Online)

More information

UPPER-TRUNCATED POWER LAW DISTRIBUTIONS

UPPER-TRUNCATED POWER LAW DISTRIBUTIONS Fratals, Vol. 9, No. (00) 09 World Sientifi Publishing Company UPPER-TRUNCATED POWER LAW DISTRIBUTIONS STEPHEN M. BURROUGHS and SARAH F. TEBBENS College of Marine Siene, University of South Florida, St.

More information

CHAPTER 10 Flow in Open Channels

CHAPTER 10 Flow in Open Channels CHAPTER 10 Flow in Open Channels Chapter 10 / Flow in Open Channels Introdution 1 α os (1 0.) 1.159 rad or 66.4 10. QB Qdsinα ga g d /4( α sinα os α) 4 sin(1.159) 1 5 9.81 ( d / 64) 1.159 sin1.159os1.159)

More information

Four-dimensional equation of motion for viscous compressible substance with regard to the acceleration field, pressure field and dissipation field

Four-dimensional equation of motion for viscous compressible substance with regard to the acceleration field, pressure field and dissipation field Four-dimensional equation of motion for visous ompressible substane with regard to the aeleration field, pressure field and dissipation field Sergey G. Fedosin PO box 6488, Sviazeva str. -79, Perm, Russia

More information

Sufficient Conditions for a Flexible Manufacturing System to be Deadlocked

Sufficient Conditions for a Flexible Manufacturing System to be Deadlocked Paper 0, INT 0 Suffiient Conditions for a Flexile Manufaturing System to e Deadloked Paul E Deering, PhD Department of Engineering Tehnology and Management Ohio University deering@ohioedu Astrat In reent

More information

6665/01 Edexcel GCE Core Mathematics C3 Silver Level S4

6665/01 Edexcel GCE Core Mathematics C3 Silver Level S4 Paper Referene(s) 6665/0 Edexel GCE Core Mathematis C Silver Level S4 Time: hour 0 minutes Materials required for examination papers Mathematial Formulae (Green) Items inluded with question Nil Candidates

More information

SOA/CAS MAY 2003 COURSE 1 EXAM SOLUTIONS

SOA/CAS MAY 2003 COURSE 1 EXAM SOLUTIONS SOA/CAS MAY 2003 COURSE 1 EXAM SOLUTIONS Prepared by S. Broverman e-mail 2brove@rogers.om website http://members.rogers.om/2brove 1. We identify the following events:. - wathed gymnastis, ) - wathed baseball,

More information

Convergence Analysis of Transcendental Fractals

Convergence Analysis of Transcendental Fractals International Journal Computer Appliations (0975 8887) Convergene Analysis Transendental Fratals Shafali Agarwal Researh Sholar, Singhania University, Rajasthan, India Ashish Negi Phd, Dept. Computer Siene,

More information

Some facts you should know that would be convenient when evaluating a limit:

Some facts you should know that would be convenient when evaluating a limit: Some fats you should know that would be onvenient when evaluating a it: When evaluating a it of fration of two funtions, f(x) x a g(x) If f and g are both ontinuous inside an open interval that ontains

More information

NAVAL UNDERWATER SYSTEMS CENTER NEW LONDON LABORATORY NEW LONDON, CONNECTICUT Technical Memorandum

NAVAL UNDERWATER SYSTEMS CENTER NEW LONDON LABORATORY NEW LONDON, CONNECTICUT Technical Memorandum NAVAL UNDERWATER SYSTEMS CENTER NEW LONDON LABORATORY NEW LONDON, CONNECTICUT 06320 Tehnial Memorandum A FORTRAN COMPUTER PROGRAM TO EVALUATE AND PLOT THE STATISTICS OF THE MAGNITUDE-SQUARED COHERENCE

More information

Chapter 7. The Expectation-Maximisation Algorithm. 7.1 The EM algorithm - a method for maximising the likelihood

Chapter 7. The Expectation-Maximisation Algorithm. 7.1 The EM algorithm - a method for maximising the likelihood Chapter 7 The Expetation-Maximisation Algorithm 7. The EM algorithm - a method for maximising the likelihood Let us suppose that we observe Y {Y i } n. ThejointdensityofY is f(y ; 0 ), and 0 is an unknown

More information

Methods of evaluating tests

Methods of evaluating tests Methods of evaluating tests Let X,, 1 Xn be i.i.d. Bernoulli( p ). Then 5 j= 1 j ( 5, ) T = X Binomial p. We test 1 H : p vs. 1 1 H : p>. We saw that a LRT is 1 if t k* φ ( x ) =. otherwise (t is the observed

More information

A Queueing Model for Call Blending in Call Centers

A Queueing Model for Call Blending in Call Centers A Queueing Model for Call Blending in Call Centers Sandjai Bhulai and Ger Koole Vrije Universiteit Amsterdam Faulty of Sienes De Boelelaan 1081a 1081 HV Amsterdam The Netherlands E-mail: {sbhulai, koole}@s.vu.nl

More information

Relativistic effects in earth-orbiting Doppler lidar return signals

Relativistic effects in earth-orbiting Doppler lidar return signals 3530 J. Opt. So. Am. A/ Vol. 4, No. 11/ November 007 Neil Ashby Relativisti effets in earth-orbiting Doppler lidar return signals Neil Ashby 1,, * 1 Department of Physis, University of Colorado, Boulder,

More information

Singular Event Detection

Singular Event Detection Singular Event Detetion Rafael S. Garía Eletrial Engineering University of Puerto Rio at Mayagüez Rafael.Garia@ee.uprm.edu Faulty Mentor: S. Shankar Sastry Researh Supervisor: Jonathan Sprinkle Graduate

More information

Laboratory exercise No. 2 Basic material parameters of porous building materials

Laboratory exercise No. 2 Basic material parameters of porous building materials Laboratory exerise No. Basi material parameters of porous building materials Materials (building materials) an be lassified aording to the different riteria, e.g. based on their properties, funtion, hemial

More information

Supplementary Materials for A universal data based method for reconstructing complex networks with binary-state dynamics

Supplementary Materials for A universal data based method for reconstructing complex networks with binary-state dynamics Supplementary Materials for A universal ata ase metho for reonstruting omplex networks with inary-state ynamis Jingwen Li, Zhesi Shen, Wen-Xu Wang, Celso Greogi, an Ying-Cheng Lai 1 Computation etails

More information

Chapter 15 Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium 2/3/2014

Chapter 15 Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium. Reversible Reactions & Equilibrium 2/3/2014 Amount of reatant/produt //01 quilibrium in Chemial Reations Lets look bak at our hypothetial reation from the kinetis hapter. A + B C Chapter 15 quilibrium [A] Why doesn t the onentration of A ever go

More information

Computer Science 786S - Statistical Methods in Natural Language Processing and Data Analysis Page 1

Computer Science 786S - Statistical Methods in Natural Language Processing and Data Analysis Page 1 Computer Siene 786S - Statistial Methods in Natural Language Proessing and Data Analysis Page 1 Hypothesis Testing A statistial hypothesis is a statement about the nature of the distribution of a random

More information

23.1 Tuning controllers, in the large view Quoting from Section 16.7:

23.1 Tuning controllers, in the large view Quoting from Section 16.7: Lesson 23. Tuning a real ontroller - modeling, proess identifiation, fine tuning 23.0 Context We have learned to view proesses as dynami systems, taking are to identify their input, intermediate, and output

More information

THEORETICAL PROBLEM No. 3 WHY ARE STARS SO LARGE?

THEORETICAL PROBLEM No. 3 WHY ARE STARS SO LARGE? THEORETICAL PROBLEM No. 3 WHY ARE STARS SO LARGE? The stars are spheres of hot gas. Most of them shine beause they are fusing hydrogen into helium in their entral parts. In this problem we use onepts of

More information

Robust Flight Control Design for a Turn Coordination System with Parameter Uncertainties

Robust Flight Control Design for a Turn Coordination System with Parameter Uncertainties Amerian Journal of Applied Sienes 4 (7): 496-501, 007 ISSN 1546-939 007 Siene Publiations Robust Flight ontrol Design for a urn oordination System with Parameter Unertainties 1 Ari Legowo and Hiroshi Okubo

More information

Routh-Hurwitz Lecture Routh-Hurwitz Stability test

Routh-Hurwitz Lecture Routh-Hurwitz Stability test ECE 35 Routh-Hurwitz Leture Routh-Hurwitz Staility test AStolp /3/6, //9, /6/ Denominator of transfer funtion or signal: s n s n s n 3 s n 3 a s a Usually of the Closed-loop transfer funtion denominator

More information

Mass Transfer (Stoffaustausch) Fall 2012

Mass Transfer (Stoffaustausch) Fall 2012 Mass Transfer (Stoffaustaush) Fall Examination 9. Januar Name: Legi-Nr.: Edition Diffusion by E. L. Cussler: none nd rd Test Duration: minutes The following materials are not permitted at your table and

More information

Verka Prolović Chair of Civil Engineering Geotechnics, Faculty of Civil Engineering and Architecture, Niš, R. Serbia

Verka Prolović Chair of Civil Engineering Geotechnics, Faculty of Civil Engineering and Architecture, Niš, R. Serbia 3 r d International Conferene on New Developments in Soil Mehanis and Geotehnial Engineering, 8-30 June 01, Near East University, Niosia, North Cyprus Values of of partial fators for for EC EC 7 7 slope

More information

THERMAL MODELING OF PACKAGES FOR NORMAL CONDITIONS OF TRANSPORT WITH INSOLATION t

THERMAL MODELING OF PACKAGES FOR NORMAL CONDITIONS OF TRANSPORT WITH INSOLATION t THERMAL MODELING OF PACKAGES FOR NORMAL CONDITIONS OF TRANSPORT WITH INSOLATION THERMAL MODELING OF PACKAGES FOR NORMAL CONDITIONS OF TRANSPORT WITH INSOLATION t Tehnial Programs and Servies/Engineering

More information