Control Simulation and Experiment of a Cart-Pendulum System Mission. Control and Estimator Design Derivation of the (coupled nonlinear) dynamic equati

Size: px
Start display at page:

Download "Control Simulation and Experiment of a Cart-Pendulum System Mission. Control and Estimator Design Derivation of the (coupled nonlinear) dynamic equati"

Transcription

1 205 년고등자동제어 Term Project Dynamic Simulation and Control Experiment for Cart-Pendulum System Dynamic Simulation Modeling and Control Design Control Experiment

2 Control Simulation and Experiment of a Cart-Pendulum System Mission. Control and Estimator Design Derivation of the (coupled nonlinear) dynamic equation of motion. Design of a PID control law with joint angle feedback Design of a state feedback control law with joint angle feedback Design of a state estimator to reconstruct full-state (by assuming that the cart position and the pendulum angle are measurable) Mission 2. Dynamic Motion Simulation (Matlab or C++) Numerical integration of the (nonlinear) dynamic equation of motion (apply Runge-Kutta algorithm) Control simulation of Inverted pendulum Data plotting of simulation results Mission 3. Inverted pendulum Control experiment Understand the H/W and S/W architecture of the Linear-Motor control system Make a control function to implement your controller Perform control gain tuning Data acquisition and plotting of experimental results 2

3 Control Simulation and Experiment of a Cart-Pendulum System [] (subroutine RK4) Write RK4(Runge-Kutta 4 th order) routine for numerical integration of the dynamic equation of motion (Input: cart driving force u(t) à Output: cart and pendulum motion (x & theta) Two 2nd order equations of motion which are dynamically coupled: 반드시마찰력을고려할것! éh H2 ù ì && q ü ìc & g q ü ì ( q, x) ü ì0ü ê H2 H ú í ý + í ý + í ý = í ý ë 22 û î&& xþ îc g 2x& þ î 2( q, x) þ îuþ - ì && q ü éh H2 ù æ ì0 ü ìc & q ü ì g( q, x) ü ì f( q, & q, x, x& ) ü í ý = ê î && x þ ë H2 H ú + - = 22 û ç í ý í ý í ý u c g 2x 2( q, x) í ý è î þ î & î þ f2( q, & þ ø î q, x, x&, u) þ Four simultaneous st order equations: Numerical integration using RK4 algorithm RK4 integration step = sampling time (ex) ms = 0.00 sec Plant parameters : m =? kg, m =? kg, 진자길이 ( 막대 ) l = cart pendulum? m 3

4 [2] (subroutine JointCtrl) Write joint control function Joint torque = control input + arbitrary disturbance(your assumption!) æ - PID control: K( s) = ç k p + kds + ki e( s) è s ø u( t) = k e( t) + k e& ( t) + k e( t) dt p discrete-time representation: D I ò æ e( k) - e( k -) u( k) = k pe( k) + kd ç + kite( k) + u( k -) è T ø Perform your Gain tuning! following the order: k k k p D I - Disturbance input: (ex.) First suggestion d( t) = Dsin( w t) or square wave(with magnitude D = 0.2u, w = 0 ~ 50rad / sec max d d D, frequency w ) Investigate how the control error is varied according to ( D and w ) d d - - Total torque input : t ( t) = u( t) + d( t) Consider actuator torque limit : - u u( t) u (ex.) u = 5 ~ 50[ N] max max max 4

5 [3] (subroutine Estimator) Write the state estimator function [4] (subroutine Main) ) When using MATLAB à direct m-file coding is preferred rather than using SIMULINK 2) When using Microsoft VISUAL C++ à Combined State Feedback and Estimator Loop motor torque limit disturbance d( t) Cart-pendulum (nonlinear motion model) ref. command q ( t d ) + - e( t) K(s) u( t) + t ( t) Coupled dynamic equation of motion x( t) q ( t) ˆx ˆx& qˆ ˆ q & State estimator 5

6 PID control loop & State estimation loop motor torque limit disturbance d( t) Cart-pendulum Motion model ref. command q ( t d ) + - e( t) K(s) u( t) + t ( t) Coupled dynamic equation of motion x( t) q ( t) qˆ ˆx ˆ & q ˆx& State estimator 6

7 Example of MatLab Code for RK4 Integration (script m-file) % main.m % === Example of RK4 Integration algorithm % nd order ODE % y_ddot + a*y_dot + b*y = 0 % with (I.C.) y(t=0) =, y_dot(t=0) = clear; % System Parameters a = 0.; b = 00.; % (I.C.) x() = 3.0; x2() = 0.0; y + ay + by = 0 (I.C.) y(0) = 3, y (0) = 0 Spring을 3m 앞으로당겼다놓는경우 k 2 b = 00 = = wn Natural freq.( 고유진동수), wn = 0 rad / sec m a = 0 = 2zw Damping coeff.( 감쇠계수), z = Þ Try different set of n ( w, z )! n h = 0.0; % Integration time interval tf = 3.0; % Final time t = [ 0: h: tf]'; %--- RK4 integration start for i = : : size(t,)- % Slopes k, k2, k3, k4 k = x2(i) ; k2 = -a*x2(i) - b*x(i); k2 = x2(i) + 0.5*k2*h ; k22 = -a*( x2(i) + 0.5*k2*h ) - b*( x(i) + 0.5*k*h ); k3 = x2(i) + 0.5*k22*h ; k32 = -a*( x2(i) + 0.5*k22*h ) - b*( x(i) + 0.5*k2*h ); k4 = x2(i) + k32*h ; k42 = -a*( x2(i) + k32*h ) - b*( x(i) + k3*h ); % Updated value x(i+) = x(i) + (k + 2*k2 + 2*k3 + k4)*h/6; x2(i+) = x2(i) + (k2 + 2*k22 + 2*k32 + k42)*h/6; end; figure(); subplot(2); plot(t, x); xlabel('time(sec)'); ylabel('x'); title('position'); grid; subplot(22); plot(t, x2); xlabel('time(sec)'); ylabel('x2'); title('velocity'); grid; 7

8 Example of MatLab Code for RK4 Integration (function m-file): % === Example of RK4 Integration algorithm % It requires m-files with subfunctions rk4.m & dyn_eqn.m %======================================== % 화일명 : rk4_main.m or 임의명.m function rk4_main() % 각 subfunction 을독립적인 m-file 로저장하면 main 함수이름생략가능 % nd order ODE % y_ddot + a*y_dot + b*y = u(t) with (I.C.) y(0), y_dot(0) clear; % System Parameters %global a b h; a = 3.; % c/m b = 00.; % k/m h = 0.0; % Integration time interval % (I.C.) x(,:) = [ ]; %x() = 3.0; x2() = 0.0; tf = 3.0; % Final time t = [ 0: h: tf]'; % Subfunction % rk4.m function x = rk4( x, u, a, b, h ) % Slopes k, k2, k3, k4 <-- 2 x vectors k = dyn_eqn( x, u, a, b, h ); k2 = dyn_eqn( x + 0.5*k*h, u, a, b, h ); k3 = dyn_eqn( x + 0.5*k2*h, u, a, b, h ); k4 = dyn_eqn( x + k3*h, u, a, b, h ); x = x + h*( k + 2*k2 + 2*k3 + k4 )/6; % Subfunction 2 % dyn_eqn.m function f = dyn_eqn( x, u, a, b, h ) f(:,) = x(:,2); f(:,2) = -a*x(:,2) - b*x(:,) + u; %--- RK4 integration start for i = : : size(t,)- % Input u(i) = 0; x(i+,:) = rk4( x(i,:), u(i), a, b, h ); end; figure(); subplot(2); plot(t, x(:,)); xlabel('time(sec)'); ylabel('x'); title('position'); grid; subplot(22); plot(t, x(:,2)); xlabel('time(sec)'); ylabel('x2'); title('velocity'); grid; 8

9 Example of MatLab Code for RK4 Integration (inline function) % rk4_inline_fn.m function rk4_inline_fn() % System Parameters a = 3.; % c/m b = 00.; % k/m h = 0.0; % Integration time interval x(,:) = [ ]; %x() = 3.0; x2() = 0.0; % (I.C.) tf = 3.0; t = [ 0: h: tf]'; % inline functions for % y_ddot + a*y_dot + b*y = u(t) with (I.C.) y(0), y_dot(0) % f = inline('x2'); f2 = inline('-a*x2 - b*x + u', 'x','x2','u','a','b'); %--- RK4 integration for i = : : size(t,)- u(i) = 0; % Input k = f(x(i,2)); k2 = f2(x(i,), x(i,2), u(i), a, b); k2 = f(x(i,2)+0.5*k*h); k22 = f2(x(i,)+0.5*k*h, x(i,2)+0.5*k2*h, u(i), a, b); k3 = f(x(i,2)+0.5*k2*h); k32 = f2(x(i,)+0.5*k2*h, x(i,2)+0.5*k22*h, u(i), a, b); k4 = f(x(i,2)+k3*h); k42 = f2(x(i,)+k3*h, x(i,2)+0.5*k32*h, u(i), a, b); x(i+,) = x(i,) + h*( k + 2*k2 + 2*k3 + k4 )/6; x(i+,2) = x(i,2) + h*( k2 + 2*k22 + 2*k32 + k42 )/6; end; 9

10 Inverted Pendulum on the Moving Cart Graphic animation using VC++ with OpenGL or Matlab Experimental setup & Basic C++ code System Parameters Mass of cart Pendulum mass Pendulum length Damping coefficient of cart Damping coefficient of pendulum Sampling time 2.54 kg 0.56 kg 400 mm 0.~0.3 0.~0.3 ms 0

11 Simulation results ) Confirm the free motion of pendulum and cart (openloop case) With respect to the initial condition change With respect to the damping coefficient change 2) Closed-loop control simulation Normal pendulum (with stable eq. point = 0 deg ) Inverted pendulum (with unstable eq. point = 80 deg ) Investigate how the control performance is varied according to the changes of PID control gain and the magnitude of disturbances. 3) State estimator simulation Investigate how the estimation performance is varied according to the change of estimator gain.

12 Cart & Inverted Pendulum System Setup (Room 402) Control program (VC++) Counter Rotory Encoder DAC (control command) Linear Motor Linear Encoder Control PC Counter Motor Driver 2

13 Control Experiment ) Control error of pendulum Reference command = 80 deg 2) Standing-on control with Swing motion Ø Initial posture = 0 deg. Ø Make a swing motion in open-loop mode Ø When the pendulum arrives around 80 deg à change to closed-loop control mode à position control for ref. input = 80 deg Control program GUI 3

14 Report and Presentation Ø Term Project Report Modeling of Cart-pendulum motion Basic motion analysis & Stability analysis Control design & Estimator design - Transfer function, root-locus, frequency response - State feedback & state estimator Simulation results Experiment results Discussion Ø Report(PPT file) 제출및발표 (0 분 ): 2/7( 목 ) Simulation result à Graphic animation is preferred ) Experiment video ØFinal Exam 2/8( 금 ) 4

15 연립상미방수치해를위한 Runge-Kutta 법 (RK4 Numerical Integration Method for IVP of Simultaneous ODEs) 미분방정식 : 미지함수와미지함수의도함수로구성되어있는방정식 상미분방정식 (Ordinary differential equation, ODE) 함수가한개의독립변수만포함 편미분방정식 (Partial differential equation, PDE) 함수가한개이상의독립변수를포함 미방에대한초기치문제 : IVP(Initial Value Problem) 5

16 Mass-Damper-Spring System 의예 y k c m F( t) x X-방향의운동방정식유도 F( t) mx&& kx cx& m Mass-damper-spring system: F( t) - kx - cx& = mx && : k( 스프링상수), c( 댐핑계수) mx && + cx& + kx = F( t) (2 차미방) (2 차미방) 2 원연립 차미방으로 æ y& = y2 let x = y, x& = y ç 2 F c k ç y& 2 = - y2 - y è m m m ø æ y( t) = x( t) 차미방에대한수치적분알고리즘적용 ç 를구함 è y2( t) = x& ( t) ø 6

17 Pendulum 의예 상미분방정식 (ODE) ) 선형상미방 (Linear ODE): 선형함수만을포함하는미분방정식 2) 비선형상미방 (Nonlinear ODE): 비선형함수가포함된미분방정식 Pendulum( 진자 ) à 비선형상미방특성 x T (tension) q l y m m mg Mass-damper-spring system: 2 x = l sinq && x = l && q cosq - l & q sinq 2 y = l cosq && y = -l && q sinq - l & q cosq 진자의 Tangential 방향의운동방정식 g - mg sinq = ml && q && q + sinq = 0 ( 비선형상미방) l 선형화된운동방정식 ( for small q sin q» q,cosq» ) && g g q + sinq = 0 && q + q = 0 ( 선형상미방) l l mlq &2 = m mx&& mlq && my&& = m 수치해구하기 : let q = y, & q = y2 æ y& = y2 ç g ç y& 2 = - y è l ø ( 차미방에대한 ) 수치적분알고리즘 æ y( t) = q ( t) ç y2( t) = & è q ( t) ø 7

18 상미방에대한수치적분 차상미방 dy = f ( x, y) y = g( x) 에해당하는수치해 (x값에대한 y의 data ) 를찾음. dx 차상미방에대한수치적분알고리즘의일반적인형태 y = y + fh i+ i Û 새로운값(at x = x ) = 이전값(at x = x ) + 기울기 구간간격( h) i+ 각알고리즘의차이 기울기f를결정하는방법의차이 i 8

19 Euler Method dy 차상미방 : = y = f ( x, y) dx yi+ = yi + fh 기울기f를시작점에서의도함수로사용 f = y = f ( x, y ) æ dy y - y y - y ç è dx ø x x h i i i i+ i i+ i» = = yi = f xi yi i i+ - i i+ i i i (, ) y = y + f ( x, y ) h: Euler method y i + f h = f ( x, y ) h = Dy i y i i <Euler 법에서의오차의누적 > 9

20 개선된 Euler 법 (RK2 법 ) [] Euler 법 : yi+ = yi + f ( xi, yi ) h 기울기 f = y i = f ( xi, yi ) : 구간시작점에서의기울기 [2] Heun법 : yi+ = yi + y ih y + y f x y f x y 기울기 = i = = 2 2 : 구간시작과끝기울기의평균 0 ( i, i ) + ( i+, ) i i+ i+ f y [3] 중앙점법 (Midpoint method): y i+ = y + i f ( x, y ) h i+ / 2 i+ / 2 기울기 f = y = f ( x, y i+ / 2 i+ / 2 i+ / 2 : 구간중앙점에서의기울기 Midpoint: æ xi + / 2 ç ç è ø h y = y + f ( x, y ) i+ / 2 i i i 2 ) 20

21 개선된 Euler 법 (RK2 법 ) <Euler 법과 Heun 법의성능비교 > 2

22 Runge-Kutta 법 dy 차상미방 = f ( x, y) 에대한수치해 dx y = y + f( x, y, h) h i+ i i i f( x, y, h) : 적분구간 ( h) 에서의대표적인기울기 i i Incremental function ( 증분함수 ) 증분함수의일반적인형태 f( x, y, h) = a k + a k + L+ a k i i 2 2 n n a ~ a 은상수, k ~ k 은기울기값들 n æ k = f ( xi, yi ) ç k = f ( x + p h, y + q k h) 2 i i ç k3 = f ( xi + p2h, yi + q2kh + q22k2h) ) n = : 차 RK 법 (RK) Euler 법 2) n = 2 : 2 차 RK 법 (RK2) Heun 법, Midpoint 법 3) n = 3 : 3 차 RK 법 (RK3) 4) n = 4 : 4 차 RK 법 (RK4) n ç ç M M ç kn = f ( xi + pn- h, yi + qn-,kh + qn-,2k2h + + qn-, n-kn-h) è L ø RK 법의분류 22

23 3 차 Runge-Kutta 법 [RK3] yi+ = yi + k + k k 6 ( 4 + ) 2 3 h 4 기울기 k, k, k 에각각,, 가중치 구간시작점의기울기 æ k = f ( xi, yi ) ç ç k2 = f ( xi + h, yi + kh) 구간중앙점의기울기 2 2 ç k3 = f ( xi + h, yi - kh + 2 k2h) 구간끝점의기울기 è ø 23

24 4 차 Runge-Kutta 법 : 가장보편적인방법 [RK4] yi+ = yi + ( k + 2k2 + 2k3 + k4 ) h k, k, k, k ,,, æ k = f ( xi, yi ) 구간시작점의기울기 ç ç k2 = f ( xi + h, yi + kh) 구간중앙점의기울기 ç 2 2 ç k3 = f ( xi + h, yi + k2h) 구간중앙점의기울기 2 2 ç è k4 = f ( xi + h, yi + k3h) 구간끝점의기울기 ø 기울기 에각각 2 2 가중치

25 연립미분방정식 n 차미방 à n 개의 차연립미방으로변환 n 차미방또는 n 개의 차연립미방의해를구하기위해서는 n 개의조건이필요 dy 차상미방 : = y = dx f ( x, y) n 원연립 차상미방 ì dy ü ï = f( x, y, y2, L, yn) dx ï ï dy ï 2 ï = f2( x, y, y2, L, yn) ï í dx ý : y ~ ï M M ï ï dy ï n ï = fn( x, y, y2, L, yn) ï î dx þ y n 각각의초기치 n 개필요 25

26 n 차미분방정식 à n 원 차연립방정식 n d y ( n) ( n-) n 차상미방 : = y = f ( x, y, y, y, L, y ) n dx ( n-) ( y, y, y, L, y ) 에대한초기치 n개필요 Let ( n-) ( y = y, y = y2, y = y3, L, y = yn ) Then, n 차상미방 ì dy y ü ï = = f = y2 dx ï ï dy ï 2 ï y 2 = = f2 = y ï 3 í dx ý:n원연립 차상미방으로변환 ï M M ï ï dy ï n ï y n = = fn = f ( x, y, y2, L, yn) ï î dx þ 2차상미방의경우 : y = f ( x, y, y ) æ y(0) = y0 ( y, y ) 에대한초기치 2 개ç y (0) = y 필요 è 0 ø y = y ì y = f = y ü æ y (0) = y Let ç with = = æ è y = y2 ø 2 0 í y2 f2 f ( x, y, y2) ý ç y2(0) y î þ è = 0 ø 26

27 2 차미분방정식에대한 RK4 알고리즘 2 d y y(0) = y0 y f ( x, y, y æ ) with 2 dx y (0) = y 0 Let = = ç è ø ì dy = y = f ( x, y, y ) 2 2 æ y = y ï dx ï æ y (0) = y 0 ç Þ y í dy ý with ç y2 2 y (0) y è = ø = 2 0 ï = f ( x, y, y ) = f ( x, y, y ) ï è ø î dx ü þ For ( y = f ) : yi+, = yi, + ( k, + 2k2, + 2k3, + k4, ) h RK4 수치해 : 6 For ( y 2 = f2 ) : yi+,2 = yi,2 + ( k,2 + 2k2,2 + 2k3,2 + k4,2 ) h 6 æ k, = f ( xi, yi,, yi,2) for y = f ç k, 2 = f2( xi, yi,, yi, 2) y è for = f 2 2 ø æ k2, = f ( xi h, yi, k,h, yi, k,2h) for y = f ç k2,2 = f2 ( xi 0.5 h, yi, + 0.5k,h, yi, k,2h) y = f è + for 2 2 ø æ k3, = f ( xi h, yi, + 0.5k2,h, yi, k2,2h) for y = f ç k3, 2 f2 ( xi 0. 5 h, yi, 0.5 k2,h, yi,2 0.5 k2,2h) y = f è = for 2 2 ø æ k4, = f ( xi + h, yi, + k3,h, yi,2 + k3,2h) for y = f ç k4,2 f2 ( xi + h, yi, k3, h, yi,2 k3,2h) y = f è = + + for 2 2 ø 27

28 모듈화된 RK4 코드작성 (xout 구간내에서 h 간격으로적분 ) (xout 간격으로적분값저장 ) (RK4 method 에의해 h 구간끝의적분값계산 ) xout 간격으로출력 à ( 미분방정식계산 ) 28

Microsoft PowerPoint 고등자동제어 term project.ppt [호환 모드]

Microsoft PowerPoint 고등자동제어 term project.ppt [호환 모드] GS456 Advaced Automatc Cotrol Term Project (03 Fall Semester) Dyamc Smulato ad Cotrol Expermet for Cart-Pedulum System Dyamc Smulato Modelg ad Cotrol Desg Cotrol Expermet Cotrol Smulato ad Expermet of

More information

4 CD Construct Special Model VI 2 nd Order Model VI 2 Note: Hands-on 1, 2 RC 1 RLC mass-spring-damper 2 2 ζ ω n (rad/sec) 2 ( ζ < 1), 1 (ζ = 1), ( ) 1

4 CD Construct Special Model VI 2 nd Order Model VI 2 Note: Hands-on 1, 2 RC 1 RLC mass-spring-damper 2 2 ζ ω n (rad/sec) 2 ( ζ < 1), 1 (ζ = 1), ( ) 1 : LabVIEW Control Design, Simulation, & System Identification LabVIEW Control Design Toolkit, Simulation Module, System Identification Toolkit 2 (RLC Spring-Mass-Damper) Control Design toolkit LabVIEW

More information

Microsoft PowerPoint - m22_ODE(Print) [호환 모드]

Microsoft PowerPoint - m22_ODE(Print) [호환 모드] Chap. 상미분방정식의해법 CAE 기본개념소개 Euler법 Heun 법 중점법 Runge-Kutta법 1 Chap. 미분방정식 상미분방정식 상미분방정식 (Ordnar Dfferental Equaton; ODE) One-step method Euler 법 (Euler s method) Heun 법 (Heun s method) 중점법 (Mdpont method)

More information

산선생의 집입니다. 환영해요

산선생의 집입니다. 환영해요 Biped Walking Robot Biped Walking Robot Simulation Program Down(Visual Studio 6.0 ) ). Version.,. Biped Walking Robot - Project Degree of Freedom : 12(,,, 12) :,, : Link. Kinematics. 1. Z (~ Diablo Set

More information

PowerPoint Presentation

PowerPoint Presentation 기계항공시스템해석 MATLAB 실습 - 시스템구성및시간 / 주파수응답그래프 - 박사과정서종상 azuresky@snuackr Tel:0-880-194 301-113 Vehicle Dynamics & Control Laboratory Set Transfer Function and State Space 1) tf Transfer Function From = tf(numerator,

More information

Microsoft PowerPoint - AC3.pptx

Microsoft PowerPoint - AC3.pptx Chapter 3 Block Diagrams and Signal Flow Graphs Automatic Control Systems, 9th Edition Farid Golnaraghi, Simon Fraser University Benjamin C. Kuo, University of Illinois 1 Introduction In this chapter,

More information

À̵¿·Îº¿ÀÇ ÀÎÅͳݱâ¹Ý ¿ø°ÝÁ¦¾î½Ã ½Ã°£Áö¿¬¿¡_.hwp

À̵¿·Îº¿ÀÇ ÀÎÅͳݱâ¹Ý ¿ø°ÝÁ¦¾î½Ã ½Ã°£Áö¿¬¿¡_.hwp l Y ( X g, Y g ) r v L v v R L θ X ( X c, Yc) W (a) (b) DC 12V 9A Battery 전원부 DC-DC Converter +12V, -12V DC-DC Converter 5V DC-AC Inverter AC 220V DC-DC Converter 3.3V Motor Driver 80196kc,PWM Main

More information

Microsoft Word - LectureNote.doc

Microsoft Word - LectureNote.doc 7. 상미분방정식. 서론 자연현상 물리법칙적용 수학적표현 미분방정식 자연현상뿐아니라공학적인문제에서도미분방정식이많이활용되나공학분야대부분의미분방정식들은해석적으로는풀리지않고수치적인접근방법을필요로한다. 일반적으로공학분야미분방정식은. Smpled 된 equton 을해석적으로푸는방법. Orgnl Equton 을 ppromte 하게푸는방법등두가지방법으로해를찾을수있는데 정확한

More information

슬라이드 1

슬라이드 1 Chapter 7. Steady-State Errors Things to know - The steady-state error for a unity feedback system - A system s steady-state error performance - The steady-state error for disturbance inputs - The steady-state

More information

°ø¾÷-01V36pš

°ø¾÷-01V36pš 2 3 4 5 6 ..2.3 3 (differential) (equation).. () d/d (). e 0.2 (, ), d/d 0.2e 0.2. e 0.2 (). ()., ().,.. (DE: differential equation). (tpe), (order), (linearit). (ODE: ordinar differential equation). (2).

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 RecurDyn 의 Co-simulation 와 하드웨어인터페이스적용 2016.11.16 User day 김진수, 서준원 펑션베이솔루션그룹 Index 1. Co-simulation 이란? Interface 방식 Co-simulation 개념 2. RecurDyn 과 Co-simulation 이가능한분야별소프트웨어 Dynamics과 Control 1) RecurDyn

More information

Microsoft PowerPoint - analogic_kimys_ch10.ppt

Microsoft PowerPoint - analogic_kimys_ch10.ppt Stability and Frequency Compensation (Ch. 10) 김영석충북대학교전자정보대학 2010.3.1 Email: kimys@cbu.ac.kr 전자정보대학김영석 1 Basic Stability 10.1 General Considerations Y X (s) = H(s) 1+ βh(s) May oscillate at ω if βh(jω)

More information

hapter_ i i 8 // // 8 8 J i 9K i? 9 i > A i A i 8 8 KW i i i W hapter_ a x y x y x y a /()/()=[W] b a b // // // x x L A r L A A L L A G // // // // /

hapter_ i i 8 // // 8 8 J i 9K i? 9 i > A i A i 8 8 KW i i i W hapter_ a x y x y x y a /()/()=[W] b a b // // // x x L A r L A A L L A G // // // // / A p p e n d i x Notation hapter_ i i 8 // // 8 8 J i 9K i? 9 i > A i A i 8 8 KW i i i W hapter_ a x y x y x y a /()/()=[W] b a b // // // x x L A r L A A L L A G // // // // // // // 8 b hapter_ hapter_

More information

Microsoft Word - KSR2013A299

Microsoft Word - KSR2013A299 YWXZ º º t rzyywxzhy`` k Ž Ÿo r m ƒ 2 Flanged uide Wheels Tram Review Compliance Criteria of the Road Structure Ò ã ä ã ä ãã Kwang-Suk Seo *, Seung-Il Lee *, Oak-Young Song * * "CTUSBDUTram of the city

More information

해양모델링 2장5~18 2012.7.27 12:26 AM 페이지6 6 오픈소스 소프트웨어를 이용한 해양 모델링 2.1.2 물리적 해석 식 (2.1)의 좌변은 어떤 물질의 단위 시간당 변화율을 나타내며, 우변은 그 양을 나타낸 다. k 5 0이면 C는 처음 값 그대로 농

해양모델링 2장5~18 2012.7.27 12:26 AM 페이지6 6 오픈소스 소프트웨어를 이용한 해양 모델링 2.1.2 물리적 해석 식 (2.1)의 좌변은 어떤 물질의 단위 시간당 변화율을 나타내며, 우변은 그 양을 나타낸 다. k 5 0이면 C는 처음 값 그대로 농 해양모델링 2장5~18 2012.7.27 12:26 AM 페이지5 02 모델의 시작 요약 이 장에서는 감쇠 문제를 이용하여 여러분을 수치 모델링 세계로 인도한다. 유한 차분법 의 양해법과 음해법 그리고 일관성, 정확도, 안정도, 효율성 등을 설명한다. 첫 번째 수치 모델의 작성과 결과를 그림으로 보기 위해 FORTRAN 프로그램과 SciLab 스크립트가 사용된다.

More information

<31325FB1E8B0E6BCBA2E687770>

<31325FB1E8B0E6BCBA2E687770> 88 / 한국전산유체공학회지 제15권, 제1호, pp.88-94, 2010. 3 관내 유동 해석을 위한 웹기반 자바 프로그램 개발 김 경 성, 1 박 종 천 *2 DEVELOPMENT OF WEB-BASED JAVA PROGRAM FOR NUMERICAL ANALYSIS OF PIPE FLOW K.S. Kim 1 and J.C. Park *2 In general,

More information

2005 7

2005 7 2005 7 ii 1 3 1...................... 3 2...................... 4 3.................... 6 4............................. 8 2 11 1........................... 11 2.................... 13 3......................

More information

저작자표시 - 비영리 - 변경금지 2.0 대한민국 이용자는아래의조건을따르는경우에한하여자유롭게 이저작물을복제, 배포, 전송, 전시, 공연및방송할수있습니다. 다음과같은조건을따라야합니다 : 저작자표시. 귀하는원저작자를표시하여야합니다. 비영리. 귀하는이저작물을영리목적으로이용할

저작자표시 - 비영리 - 변경금지 2.0 대한민국 이용자는아래의조건을따르는경우에한하여자유롭게 이저작물을복제, 배포, 전송, 전시, 공연및방송할수있습니다. 다음과같은조건을따라야합니다 : 저작자표시. 귀하는원저작자를표시하여야합니다. 비영리. 귀하는이저작물을영리목적으로이용할 저작자표시 - 비영리 - 변경금지 2.0 대한민국 이용자는아래의조건을따르는경우에한하여자유롭게 이저작물을복제, 배포, 전송, 전시, 공연및방송할수있습니다. 다음과같은조건을따라야합니다 : 저작자표시. 귀하는원저작자를표시하여야합니다. 비영리. 귀하는이저작물을영리목적으로이용할수없습니다. 변경금지. 귀하는이저작물을개작, 변형또는가공할수없습니다. 귀하는, 이저작물의재이용이나배포의경우,

More information

14.531~539(08-037).fm

14.531~539(08-037).fm G Journal of the Korea Concrete Institute Vol. 20, No. 4, pp. 531~539, August, 2008 š x y w m š gj p { sƒ z 1) * 1) w w Evaluation of Flexural Strength for Normal and High Strength Concrete with Hooked

More information

Getting Started

Getting Started b Compaq Notebook Series Ñ è Ý : 266551-AD1 2002 4,, Compaq.. 2002 Compaq Information Technologies Group, L.P. Compaq, Compaq, Evo Presario Compaq Information Technologies Group, L.P.. Microsoft Windows

More information

MAX+plus II Getting Started - 무작정따라하기

MAX+plus II Getting Started - 무작정따라하기 무작정 따라하기 2001 10 4 / Version 20-2 0 MAX+plus II Digital, Schematic Capture MAX+plus II, IC, CPLD FPGA (Logic) ALTERA PLD FLEX10K Series EPF10K10QC208-4 MAX+plus II Project, Schematic, Design Compilation,

More information

2002년 2학기 자료구조

2002년 2학기 자료구조 자료구조 (Data Structures) Chapter 1 Basic Concepts Overview : Data (1) Data vs Information (2) Data Linear list( 선형리스트 ) - Sequential list : - Linked list : Nonlinear list( 비선형리스트 ) - Tree : - Graph : (3)

More information

에너지경제연구 제13권 제1호

에너지경제연구 제13권 제1호 에너지경제연구 Korean Energy Economic Review Volume 13, Number 1, March 2014 : pp. 23~56 거시계량모형을이용한전력요금 파급효과분석 * 23 24 25 26 < 표 1> OECD 전력요금수준 ( 단위 : $/MWh) 27 28 < 표 2> 모형의구성 29 30 31 [ 그림 1] 연립방정식모형의개요 32

More information

歯FDA6000COP.PDF

歯FDA6000COP.PDF OPERATION MANUAL AC Servo Drive FDA6000COP [OPERATION UNIT] Ver 1.0 (Soft. Ver. 8.00 ~) FDA6000C Series Servo Drive OTIS LG 1. 1.1 OPERATION UNIT FDA6000COP. UNIT, FDA6000COP,,,. 1.1.1 UP DOWN ENTER 1.1.2

More information

Microsoft PowerPoint - m05_Equation1(Print) [호환 모드]

Microsoft PowerPoint - m05_Equation1(Print) [호환 모드] Chap. 5 비선형방정식의해법 (1) - 구간법 CAE 기본개념소개 비선형방정식의개요 증분탐색법 이분법 가위치법 1 Chap.5 비선형방정식 (1) 비선형방정식 (Nonlinear Equation) 선형방정식 : Ax = b 해석적인방법으로방정식을만족하는해의계산이용이함한번의계산으로해를구할수있음 x = A -1 b (Direct calculation) Example:

More information

장연립방정식을풀기위한반복법 12.1 선형시스템 : Gauss-Seidel 12.2 비선형시스템 12.1 선형시스템 : Gauss-Seidel (1/10) 반복법은초기근을가정한후에더좋은근의값을추정하는체계적인절차를이용한다. G-S 방법은선형대수방정

장연립방정식을풀기위한반복법 12.1 선형시스템 : Gauss-Seidel 12.2 비선형시스템 12.1 선형시스템 : Gauss-Seidel (1/10) 반복법은초기근을가정한후에더좋은근의값을추정하는체계적인절차를이용한다. G-S 방법은선형대수방정 . 선형시스템 : GussSedel. 비선형시스템. 선형시스템 : GussSedel (/0) 반복법은초기근을가정한후에더좋은근의값을추정하는체계적인절차를이용한다. GS 방법은선형대수방정식을푸는반복법중에서 가장보편적으로사용되는방법이다. 개의방정식에서 인 ( 대각원소들이모두 0 이아닌 ) 경우를다루자. j j b j j b j j 여기서 j b j j j 현재반복단계

More information

INDUCTION MOTOR 표지.gul

INDUCTION MOTOR 표지.gul INDUCTION MOTOR NEW HSERIES INDUCTION MOTOR HEX Series LEAD WIRE TYPE w IH 1PHASE 4 POLE PERFORMANCE DATA (DUTY : CONTINUOUS) MOTOR TYPE IHPF10 IHPF11 IHPF IHPF22 IHPFN1U IHPFN2C OUTPUT 4 VOLTAGE

More information

Microsoft Word - KSR2013A320

Microsoft Word - KSR2013A320 k ƒ! YWXZ º º t rzyywxzhzyw k ep k Dynamic Behavior of Bridge considering Various Light Weight Rail Vehicles Õ äø ÐãäÕò ãã Sang-Su Kim, Yong-ul Park *, Man-Cheol Kim ** Abstract The purpose of this paper

More information

16(1)-3(국문)(p.40-45).fm

16(1)-3(국문)(p.40-45).fm w wz 16«1y Kor. J. Clin. Pharm., Vol. 16, No. 1. 2006 x w$btf3fqpsu'psn û w m w Department of Statistics, Chonnam National University Eunsik Park College of Natural Sciences, Chonnam National University

More information

대경테크종합카탈로그

대경테크종합카탈로그 The Series Pendulum Impact 601 & 602 Analog Tester For Regular DTI-602B (Izod) DTI-601 (Charpy) DTI-602A (Izod) SPECIFICATIONS Model DTI-601 DTI-602 Type Charpy for plastics lzod for plastics Capacity

More information

untitled

untitled 1... 2 System... 3... 3.1... 3.2... 3.3... 4... 4.1... 5... 5.1... 5.2... 5.2.1... 5.3... 5.3.1 Modbus-TCP... 5.3.2 Modbus-RTU... 5.3.3 LS485... 5.4... 5.5... 5.5.1... 5.5.2... 5.6... 5.6.1... 5.6.2...

More information

하반기_표지

하반기_표지 LEG WORKING PAPER SERIES 2012_ 05 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 Á ö 37 38 39 40 41 42 43 44 45 Discussion Paper 49 50 51 LEG WORKING PAPER

More information

Microsoft Word - KSR2012A103.doc

Microsoft Word - KSR2012A103.doc YWXY º º t rzyywxyhxwz ¼ ƒx p y v ³ Evaluation on Long-Term Behavior of Reinforced Railroad Subgrade with Bending Stiffness Wall Õá ã äõ ã äø ãã äø ãã Dae-Sang Kim *, Ung-Jin Kim *, Jong-Sik Park *, Seong-yong

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 Reasons for Poor Performance Programs 60% Design 20% System 2.5% Database 17.5% Source: ORACLE Performance Tuning 1 SMS TOOL DBA Monitoring TOOL Administration TOOL Performance Insight Backup SQL TUNING

More information

82-01.fm

82-01.fm w y wz 8«( 2y) 57~61, 2005 J. of the Korean Society for Environmental Analysis p w w Á Á w w» y l Analysis of Influence Factors and Corrosion Characteristics of Water-pipe in Potable Water System Jae Seong

More information

歯메뉴얼v2.04.doc

歯메뉴얼v2.04.doc 1 SV - ih.. 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 - - - 23 24 R S T G U V W P1 P2 N R S T G U V W P1 P2 N R S T G U V W P1 P2 N 25 26 DC REACTOR(OPTION) DB UNIT(OPTION) 3 φ 220/440 V 50/60

More information

1 Nov-03 CST MICROWAVE STUDIO Microstrip Parameter sweeping Tutorial Computer Simulation Technology

1   Nov-03 CST MICROWAVE STUDIO Microstrip Parameter sweeping Tutorial Computer Simulation Technology 1 CST MICROWAVE STUDIO Microstrip Parameter sweeping Tutorial Computer Simulation Technology wwwcstcom wwwcst-koreacokr 2 1 Create a new project 2 Model the structure 3 Define the Port 4 Define the Frequency

More information

서보교육자료배포용.ppt

서보교육자료배포용.ppt 1. 2. 3. 4. 1. ; + - & (22kW ) 1. ; 1975 1980 1985 1990 1995 2000 DC AC (Ferrite) (NdFeB; ) /, Hybrid Power Thyrister TR IGBT IPM Analog Digital 16 bit 32 bit DSP RISC Dip SMD(Surface Mount Device) P,

More information

조사연구 권 호 연구논문 한국노동패널조사자료의분석을위한패널가중치산출및사용방안사례연구 A Case Study on Construction and Use of Longitudinal Weights for Korea Labor Income Panel Survey 2)3) a

조사연구 권 호 연구논문 한국노동패널조사자료의분석을위한패널가중치산출및사용방안사례연구 A Case Study on Construction and Use of Longitudinal Weights for Korea Labor Income Panel Survey 2)3) a 조사연구 권 호 연구논문 한국노동패널조사자료의분석을위한패널가중치산출및사용방안사례연구 A Case Study on Construction and Use of Longitudinal Weights for Korea Labor Income Panel Survey 2)3) a) b) 조사연구 주제어 패널조사 횡단면가중치 종단면가중치 선형혼합모형 일반화선형혼 합모형

More information

12(4) 10.fm

12(4) 10.fm KIGAS Vol. 12, No. 4, December, 2008 (Journal of the Korean Institute of Gas) l x CNG» v m s w ½ Á y w» œw (2008 9 30, 2008 12 10, 2008 12 10 k) Numerical Analysis for Temperature Distribution and Thermal

More information

6자료집최종(6.8))

6자료집최종(6.8)) Chapter 1 05 Chapter 2 51 Chapter 3 99 Chapter 4 151 Chapter 1 Chapter 6 7 Chapter 8 9 Chapter 10 11 Chapter 12 13 Chapter 14 15 Chapter 16 17 Chapter 18 Chapter 19 Chapter 20 21 Chapter 22 23 Chapter

More information

Slide 1

Slide 1 Clock Jitter Effect for Testing Data Converters Jin-Soo Ko Teradyne 2007. 6. 29. 1 Contents Noise Sources of Testing Converter Calculation of SNR with Clock Jitter Minimum Clock Jitter for Testing N bit

More information

3 Gas Champion : MBB : IBM BCS PO : 2 BBc : : /45

3 Gas Champion : MBB : IBM BCS PO : 2 BBc : : /45 3 Gas Champion : MBB : IBM BCS PO : 2 BBc : : 20049 0/45 Define ~ Analyze Define VOB KBI R 250 O 2 2.2% CBR Gas Dome 1290 CTQ KCI VOC Measure Process Data USL Target LSL Mean Sample N StDev (Within) StDev

More information

농어촌여름휴가페스티벌(1-112)

농어촌여름휴가페스티벌(1-112) 좋아유~보은!여러가지 체험으로자연을누려보세요 보은군 농촌체험산업협의회 맑은물 맑은공기비단강숲마을 영동군 비단강 숲마을 보은군은 전국 어디서나 찾아오기 쉬우며, 비단강 숲마을은 자연 그대로가 마을 곳곳에 녹아 잘 보존된 깨끗한 자연환경과 천년의 신비를 간직 흐르는 곳이다. 푸르른 들녘과 알록달록 익어 가는 과일, 한 속리산과 법주사, 장안면 아흔아홉간집, 서원계

More information

Development of culture technic for practical cultivation under structure in Gastrodia elate Blume

Development of culture technic for practical cultivation under structure in Gastrodia elate Blume Development of culture technic for practical cultivation under structure in Gastrodia elate Blume 1996. : 1. 8 2. 1 1998. 12. : : ( ) : . 1998. 12 : : : : : : : : : : - 1 - .. 1.... 2.. 3.... 1..,,.,,

More information

Precipitation prediction of numerical analysis for Mg-Al alloys

Precipitation prediction of numerical analysis for Mg-Al alloys 저작자표시 - 비영리 - 변경금지 2.0 대한민국 이용자는아래의조건을따르는경우에한하여자유롭게 이저작물을복제, 배포, 전송, 전시, 공연및방송할수있습니다. 다음과같은조건을따라야합니다 : 저작자표시. 귀하는원저작자를표시하여야합니다. 비영리. 귀하는이저작물을영리목적으로이용할수없습니다. 변경금지. 귀하는이저작물을개작, 변형또는가공할수없습니다. 귀하는, 이저작물의재이용이나배포의경우,

More information

untitled

untitled Step Motor Device Driver Embedded System Lab. II Step Motor Step Motor Step Motor source Embedded System Lab. II 2 open loop, : : Pulse, 1 Pulse,, -, 1 +5%, step Step Motor (2),, Embedded System Lab. II

More information

HW5 Exercise 1 (60pts) M interpreter with a simple type system M. M. M.., M (simple type system). M, M. M., M.

HW5 Exercise 1 (60pts) M interpreter with a simple type system M. M. M.., M (simple type system). M, M. M., M. 오늘할것 5 6 HW5 Exercise 1 (60pts) M interpreter with a simple type system M. M. M.., M (simple type system). M, M. M., M. Review: 5-2 7 7 17 5 4 3 4 OR 0 2 1 2 ~20 ~40 ~60 ~80 ~100 M 언어 e ::= const constant

More information

PJTROHMPCJPS.hwp

PJTROHMPCJPS.hwp 제 출 문 농림수산식품부장관 귀하 본 보고서를 트위스트 휠 방식 폐비닐 수거기 개발 과제의 최종보고서로 제출 합니다. 2008년 4월 24일 주관연구기관명: 경 북 대 학 교 총괄연구책임자: 김 태 욱 연 구 원: 조 창 래 연 구 원: 배 석 경 연 구 원: 김 승 현 연 구 원: 신 동 호 연 구 원: 유 기 형 위탁연구기관명: 삼 생 공 업 위탁연구책임자:

More information

Microsoft PowerPoint - Ch13

Microsoft PowerPoint - Ch13 Ch. 13 Basic OP-AMP Circuits 비교기 (Comparator) 하나의전압을다른전압 ( 기준전압, reference) 와비교하기위한비선형장치 영전위검출 in > 기준전압 out = out(max) in < 기준전압 out = out(min) 비교기 영이아닌전위검출 기준배터리 기준전압분배기 기준전압제너다이오드 비교기 예제 13-1: out(max)

More information

Microsoft Word - KSR2012A038.doc

Microsoft Word - KSR2012A038.doc YWXY º º t rzyywxyhwz_ º zƒ A Study on the Relation of Railroad System and Energy Saving ö ä ø ã ä ãã In Moon, Han-Min Lee *, Jong-Eun Ha * * Abstract Now the world, such as the impact of fossil energy

More information

Microsoft Word - Installation and User Manual_CMD V2.2_.doc

Microsoft Word - Installation and User Manual_CMD V2.2_.doc CARDMATIC CMD INSTALLATION MANUAL 씨앤에이씨스템(C&A SYSTEM Co., Ltd.) 본사 : 서울특별시 용산구 신계동 24-1(금양빌딩 2층) TEL. (02)718-2386( 代 ) FAX. (02) 701-2966 공장/연구소 : 경기도 고양시 일산동구 백석동 1141-2 유니테크빌 324호 TEL. (031)907-1386

More information

(JBE Vol. 21, No. 1, January 2016) (Regular Paper) 21 1, (JBE Vol. 21, No. 1, January 2016) ISSN 228

(JBE Vol. 21, No. 1, January 2016) (Regular Paper) 21 1, (JBE Vol. 21, No. 1, January 2016)   ISSN 228 (JBE Vol. 1, No. 1, January 016) (Regular Paper) 1 1, 016 1 (JBE Vol. 1, No. 1, January 016) http://dx.doi.org/10.5909/jbe.016.1.1.60 ISSN 87-9137 (Online) ISSN 16-7953 (Print) a), a) An Efficient Method

More information

<C5F0B0E8C7D0B0FA20C7D1B1B9B9AEC8AD20C1A63435C8A328C3D6C1BE292E687770>

<C5F0B0E8C7D0B0FA20C7D1B1B9B9AEC8AD20C1A63435C8A328C3D6C1BE292E687770> 退溪學派의 分化와 屛虎是非(Ⅱ)* 廬江(虎溪)書院 置廢 顚末 43)설 석 규** 차 례 1. 2. 3. 4. 5. 머리말 書院의 建立과 系派分化 配 追享 論議와 賜額 屛虎是非와 書院毁撤 맺음말 국문초록 이 글은 廬江(虎溪)書院의 건립에서부터 훼철에 이르는 과정을 屛派와 虎派의 역학 관계와 연관하여 검토한 것이다. 여강서원은 중국의 性理學을 계승하면서도 우리나라

More information

Application TI-89 / Voyage TM 200 PLT application. application, application. APPLICATIONS :, N. 1. O application. 2. application : D C application,. a

Application TI-89 / Voyage TM 200 PLT application. application, application. APPLICATIONS :, N. 1. O application. 2. application : D C application,. a Custom TI-89 / Voyage TM 200 PLT custom. custom custom. Custom : CustmOn CustmOff custom. Custom, Toolbar. Custom., Home Toolbar, 2 ¾ custom. 2 ¾ Home Toolbar Custom, custom. Tip: Custom. Custom : custom..

More information

untitled

untitled CAN BUS RS232 Line Ethernet CAN H/W FIFO RS232 FIFO IP ARP CAN S/W FIFO TERMINAL Emulator COMMAND Interpreter ICMP TCP UDP PROTOCOL Converter TELNET DHCP C2E SW1 CAN RS232 RJ45 Power

More information

PowerPoint Presentation

PowerPoint Presentation 상태공간설계법 상태변수형의미분방정식 [] 선형의경우, x Ax y Cx B D A: nⅹn 시스템행렬 B: nⅹ 입력행렬 C: ⅹn 출력행렬 D: 직접전달항 SSTF [4] x Ax B X AX BU y Cx D I AX BU X I A BU Y Y CX DU DU C I A C I A BU B DU G Y U C I A B D SSTF [4] SSTF [4]

More information

13 Who am I? R&D, Product Development Manager / Smart Worker Visualization SW SW KAIST Software Engineering Computer Engineering 3

13 Who am I? R&D, Product Development Manager / Smart Worker Visualization SW SW KAIST Software Engineering Computer Engineering 3 13 Lightweight BPM Engine SW 13 Who am I? R&D, Product Development Manager / Smart Worker Visualization SW SW KAIST Software Engineering Computer Engineering 3 BPM? 13 13 Vendor BPM?? EA??? http://en.wikipedia.org/wiki/business_process_management,

More information

11 주차 M 진디지털변조 (1) 통과대역신호의표현 (2) Quadrature Phase Shift Keying (QPSK) (3) Minimum Shift Keying (MSK) (4) M-ary Amplitude Shift Keying (M-ASK) (5) M-ar

11 주차 M 진디지털변조 (1) 통과대역신호의표현 (2) Quadrature Phase Shift Keying (QPSK) (3) Minimum Shift Keying (MSK) (4) M-ary Amplitude Shift Keying (M-ASK) (5) M-ar 11 주차 M 진디지털변조 (1) 통과대역신호의표현 (2) Quadraure Phase Shif Keying (QPSK) (3) Minimum Shif Keying (MSK) (4) M-ary Ampliude Shif Keying (M-ASK) (5) M-ary Frequeny Shif Keying (M-FSK) (6) M-ary Phase Shif Keying

More information

PCServerMgmt7

PCServerMgmt7 Web Windows NT/2000 Server DP&NM Lab 1 Contents 2 Windows NT Service Provider Management Application Web UI 3 . PC,, Client/Server Network 4 (1),,, PC Mainframe PC Backbone Server TCP/IP DCS PLC Network

More information

Remote UI Guide

Remote UI Guide Remote UI KOR Remote UI Remote UI PDF Adobe Reader/Adobe Acrobat Reader. Adobe Reader/Adobe Acrobat Reader Adobe Systems Incorporated.. Canon. Remote UI GIF Adobe Systems Incorporated Photoshop. ..........................................................

More information

내용 q Introduction q Binary passand modulation Ÿ ASK (Amplitude Shift Keying) Ÿ FSK (Frequency Shift Keying) Ÿ PSK (Phase Shift Keying) q Comparison of

내용 q Introduction q Binary passand modulation Ÿ ASK (Amplitude Shift Keying) Ÿ FSK (Frequency Shift Keying) Ÿ PSK (Phase Shift Keying) q Comparison of 6 주차 통과대역디지털변조 q 목표 Ÿ Digital passand modulation 이해 Ÿ ASK, FSK, PSK, QAM의특성비교 - Error proaility - Power spectrum - Bandwidth efficiency ( 대역효율 ) - 그외 : implementation 디지털통신 1 충북대학교 내용 q Introduction q

More information

Microsoft PowerPoint - ch03ysk2012.ppt [호환 모드]

Microsoft PowerPoint - ch03ysk2012.ppt [호환 모드] 전자회로 Ch3 iode Models and Circuits 김영석 충북대학교전자정보대학 2012.3.1 Email: kimys@cbu.ac.kr k Ch3-1 Ch3 iode Models and Circuits 3.1 Ideal iode 3.2 PN Junction as a iode 3.4 Large Signal and Small-Signal Operation

More information

example code are examined in this stage The low pressure pressurizer reactor trip module of the Plant Protection System was programmed as subject for

example code are examined in this stage The low pressure pressurizer reactor trip module of the Plant Protection System was programmed as subject for 2003 Development of the Software Generation Method using Model Driven Software Engineering Tool,,,,, Hoon-Seon Chang, Jae-Cheon Jung, Jae-Hack Kim Hee-Hwan Han, Do-Yeon Kim, Young-Woo Chang Wang Sik, Moon

More information

REVERSIBLE MOTOR 표지.gul

REVERSIBLE MOTOR 표지.gul REVERSIBLE MOTOR NEW H-SERIES REVERSIBLE MOTOR H-EX Series LEAD WIRE w RH 1PHASE 4 POLE PERFORMANCE DATA (DUTY : Min.) MOTOR OUTPUT VOLTAGE (V) FREQUENCY (Hz) INPUT CURRENT (ma) RATING SPEED (rpm) STARTING

More information

Microsoft Word - KSR2012A021.doc

Microsoft Word - KSR2012A021.doc YWXY G ºG ºG t G G GGGGGGGGGrzyYWXYhWYXG Ÿƒ Ÿ ± k ¹Ÿˆ Review about the pantograph field test result adapted for HEMU-430X (1) ÕÕÛ äñ ã G Ki-Nam Kim, Tae-Hwan Ko * Abstract In this paper, explain differences

More information

,. 3D 2D 3D. 3D. 3D.. 3D 90. Ross. Ross [1]. T. Okino MTD(modified time difference) [2], Y. Matsumoto (motion parallax) [3]. [4], [5,6,7,8] D/3

,. 3D 2D 3D. 3D. 3D.. 3D 90. Ross. Ross [1]. T. Okino MTD(modified time difference) [2], Y. Matsumoto (motion parallax) [3]. [4], [5,6,7,8] D/3 Depth layer partition 2D 3D a), a) 3D conversion of 2D video using depth layer partition Sudong Kim a) and Jisang Yoo a) depth layer partition 2D 3D. 2D (depth map). (edge directional histogram). depth

More information

ETL_project_best_practice1.ppt

ETL_project_best_practice1.ppt ETL ETL Data,., Data Warehouse DataData Warehouse ETL tool/system: ETL, ETL Process Data Warehouse Platform Database, Access Method Data Source Data Operational Data Near Real-Time Data Modeling Refresh/Replication

More information

Berechenbar mehr Leistung fur thermoplastische Kunststoffverschraubungen

Berechenbar mehr Leistung fur thermoplastische Kunststoffverschraubungen Fastener 독일 EJOT 社에서 만든 최고의 Plastic 전용 Screw 아세아볼트 CO., LTD. 대한민국 정식 라이센스 생산 업체 EJOT GmbH & Co. KG DELTA PT März 2003 Marketing TEL : 032-818-0234 FAX : 032-818-6355 주소 : 인천광역시 남동구 고잔동 645-8 남동공단 76B 9L

More information

Chapter4.hwp

Chapter4.hwp Ch. 4. Spectral Density & Correlation 4.1 Energy Spectral Density 4.2 Power Spectral Density 4.3 Time-Averaged Noise Representation 4.4 Correlation Functions 4.5 Properties of Correlation Functions 4.6

More information

e01.PDF

e01.PDF 2119, -., 4.25-40 4 km -.. km,, -,.,,,,,,,,,,,..... . 90%..,.., 20 1 - -.,.. 2172,. - 3 - < > 1.! 6 2.. 10 3.? 18 4. 22 5. 26 6.. 32 7. 36 8.. 44 9.. 49 10.. 61 11. 65 12. 76 13.. 80 14. 85 15.. 90 16..

More information

untitled

untitled Math. Statistics: Statistics? 1 What is Statistics? 1. (collection), (summarization), (analyzing), (presentation) (information) (statistics).., Survey, :, : : QC, 6-sigma, Data Mining(CRM) (Econometrics)

More information

0.1-6

0.1-6 HP-19037 1 EMP400 2 3 POWER EMP400 4 5 6 7 ALARM CN2 8 9 CN3 CN1 10 24V DC CN4 TB1 11 12 Copyright ORIENTAL MOTOR CO., LTD. 2001 2 1 2 3 4 5 1.1...1-2 1.2... 1-2 2.1... 2-2 2.2... 2-4 3.1... 3-2 3.2...

More information

) (Linearity) y(n) = T[x(n)] y2(n) = T[x2(n)] y(n) = T[ax(n)+bx2(n)] = T[ax(n)]+T[bx2(n)] = ay(n)+by2(n),., superposition superposition

) (Linearity) y(n) = T[x(n)] y2(n) = T[x2(n)] y(n) = T[ax(n)+bx2(n)] = T[ax(n)]+T[bx2(n)] = ay(n)+by2(n),., superposition superposition 4, Superposition. 4. (Discrete System) 4-. x(n) y(n) (mapping) (Transformation). y(n)=t[x(n)]. 4-2.. ) (Linearity) y(n) = T[x(n)] y2(n) = T[x2(n)] y(n) = T[ax(n)+bx2(n)] = T[ax(n)]+T[bx2(n)] = ay(n)+by2(n),.,

More information

methods.hwp

methods.hwp 1. 교과목 개요 심리학 연구에 기저하는 기본 원리들을 이해하고, 다양한 심리학 연구설계(실험 및 비실험 설계)를 학습하여, 독립된 연구자로서의 기본적인 연구 설계 및 통계 분석능력을 함양한다. 2. 강의 목표 심리학 연구자로서 갖추어야 할 기본적인 지식들을 익힘을 목적으로 한다. 3. 강의 방법 강의, 토론, 조별 발표 4. 평가방법 중간고사 35%, 기말고사

More information

(Microsoft PowerPoint - Ch19_NumAnalysis.ppt [\310\243\310\257 \270\360\265\345])

(Microsoft PowerPoint - Ch19_NumAnalysis.ppt [\310\243\310\257 \270\360\265\345]) 수치해석 6009 Ch9. Numerical Itegratio Formulas Part 5. 소개 / 미적분 미분 : 독립변수에대한종속변수의변화율 d vt yt dt yt 임의의물체의시간에따른위치, vt 속도 함수의구배 적분 : 미분의역, 어떤구간내에서시간 / 공간에따라변화하는정보를합하여전체결과를구함. t yt vt dt 0 에서 t 까지의구간에서곡선 vt

More information

Microsoft Word - 1-차우창.doc

Microsoft Word - 1-차우창.doc Journal of the Ergonomics Society of Korea Vol. 28, No. 2 pp.1-8, May 2009 1 하이브리드 환경하의 인간기계시스템 제어실 평가에 관한 연구 차 우 창 김 남 철 금오공과대학교 산업시스템공학과 A Study of the Evaluation for the Control Room in Human Machine

More information

소성해석

소성해석 3 강유한요소법 3 강목차 3. 미분방정식의근사해법-Ritz법 3. 미분방정식의근사해법 가중오차법 3.3 유한요소법개념 3.4 편미분방정식의유한요소법 . CAD 전처리프로그램 (Preprocessor) DXF, STL 파일 입력데이타 유한요소솔버 (Finite Element Solver) 자연법칙지배방정식유한요소방정식파생변수의계산 질량보존법칙 연속방정식 뉴톤의운동법칙평형방정식대수방정식

More information

274 한국문화 73

274 한국문화 73 - 273 - 274 한국문화 73 17~18 세기통제영의방어체제와병력운영 275 276 한국문화 73 17~18 세기통제영의방어체제와병력운영 277 278 한국문화 73 17~18 세기통제영의방어체제와병력운영 279 280 한국문화 73 17~18 세기통제영의방어체제와병력운영 281 282 한국문화 73 17~18 세기통제영의방어체제와병력운영 283 284

More information

STATICS Page: 7-1 Tel: (02) Fax: (02) Instructor: Nam-Hoi, Park Date: / / Ch.7 트러스 (Truss) * 트러스의분류 트러스 ( 차원 ): 1. 평면트러스 (planar tru

STATICS Page: 7-1 Tel: (02) Fax: (02) Instructor: Nam-Hoi, Park Date: / / Ch.7 트러스 (Truss) * 트러스의분류 트러스 ( 차원 ): 1. 평면트러스 (planar tru STATICS Page: 7-1 Instructor: Nam-Hoi, Park Date: / / Ch.7 트러스 (Truss) * 트러스의분류 트러스 ( 차원 ): 1. 평면트러스 (planar truss) - 2 차원 2. 공간트러스 or 입체트러스 (space truss)-3 차원트러스 ( 형태 ): 1. 단순트러스 (simple truss) 삼각형형태의트러스

More information

그림 1 DC 마이크로그리드의구성 Fig. 1 Configuration of DC Micro-grid 그림 2 전력흐름도 Fig. 2 Power Flow of each component 그림 3 전력관리개념 Fig. 3 Concept of Energ Management Unit 1 Unit 2 Output Impedence z1 Output Impedence

More information

본문01

본문01 Ⅱ 논술 지도의 방법과 실제 2. 읽기에서 논술까지 의 개발 배경 읽기에서 논술까지 자료집 개발의 본래 목적은 초 중 고교 학교 평가에서 서술형 평가 비중이 2005 학년도 30%, 2006학년도 40%, 2007학년도 50%로 확대 되고, 2008학년도부터 대학 입시에서 논술 비중이 커지면서 논술 교육은 학교가 책임진다. 는 풍토 조성으로 공교육의 신뢰성과

More information

(2) : :, α. α (3)., (3). α α (4) (4). (3). (1) (2) Antoine. (5) (6) 80, α =181.08kPa, =47.38kPa.. Figure 1.

(2) : :, α. α (3)., (3). α α (4) (4). (3). (1) (2) Antoine. (5) (6) 80, α =181.08kPa, =47.38kPa.. Figure 1. Continuous Distillation Column Design Jungho Cho Department of chemical engineering, Dongyang university 1. ( ).... 2. McCabe-Thiele Method K-value. (1) : :, K-value. (2) : :, α. α (3)., (3). α α (4) (4).

More information

304.fm

304.fm Journal of the Korean Housing Association Vol. 20, No. 3, 2009 yw s w - û - A Study on the Planning of Improved-Hanok - Focused on Jeon-Nam Province - y* ** z*** **** Kang, Man-Ho Lee, Woo-Won Jeong, Hun

More information

±è¼ºÃ¶ Ãâ·Â-1

±è¼ºÃ¶ Ãâ·Â-1 Localization Algorithms Using Wireless Communication Systems For efficient Localization Based Services, development of accurate localization algorithm has to be preceded. In this paper, research trend

More information

Microsoft PowerPoint - 7-Work and Energy.ppt

Microsoft PowerPoint - 7-Work and Energy.ppt Chapter 7. Work and Energy 일과운동에너지 One of the most important concepts in physics Alternative approach to mechanics Many applications beyond mechanics Thermodynamics (movement of heat) Quantum mechanics...

More information

?

? Annual Report National Museum of Modern and Contemporary Art, Korea CONTENTS Annual Report National Museum of Modern and Contemporary Art, Korea Annual Report National Museum of Modern and Contemporary

More information

- 2 -

- 2 - - 1 - - 2 - 전기자동차충전기기술기준 ( 안 ) - 3 - 1 3 1-1 3 1-2 (AC) 26 1-3 (DC) 31 2 37 3 40-4 - 1 14, 10,, 2 3. 1-1 1. (scope) 600 V (IEC 60038) 500 V. (EV : Electric Vehicle) (PHEV : Plug-in Hybrid EV).. 2. (normative

More information

슬라이드 제목 없음

슬라이드 제목 없음 물리화학 1 문제풀이 130403 김대형교수님 Chapter 1 Exercise (#1) A sample of 255 mg of neon occupies 3.00 dm 3 at 122K. Use the perfect gas law to calculate the pressure of the gas. Solution 1) The perfect gas law p

More information

() 이론및실험진행.1) 자유물체도 * 변수 변수 설명 단위 M Mass of the cart kg m Mass of the pendulum kg b Friction coefficient for the cart N/m/s l Distance from the axis o

() 이론및실험진행.1) 자유물체도 * 변수 변수 설명 단위 M Mass of the cart kg m Mass of the pendulum kg b Friction coefficient for the cart N/m/s l Distance from the axis o 역진자카트시스템제어 I. 실험목적 이실험에서는역진자카트시스템을수학적으로모델링하고그로부터제어기를설계한다. 그후역진자카트 시스템을시뮬레이션하여설계한제어기를확인한다. (1) 실험절차 이번실험의절차는다음과같다. 1. 자유물체도이해. 운동방정식찾기 / 유도 3. 전달함수찾기 4. 상태방정식찾기 5. PD 제어기설계 6. 시뮬레이션 (Labview 프로그램이용 ) 7.

More information

public key private key Encryption Algorithm Decryption Algorithm 1

public key private key Encryption Algorithm Decryption Algorithm 1 public key private key Encryption Algorithm Decryption Algorithm 1 One-Way Function ( ) A function which is easy to compute in one direction, but difficult to invert - given x, y = f(x) is easy - given

More information

THE JOURNAL OF KOREAN INSTITUTE OF ELECTROMAGNETIC ENGINEERING AND SCIENCE. vol. 28, no. 3, Mar guidance system: MGS), MGS. MGS, (pulse repetit

THE JOURNAL OF KOREAN INSTITUTE OF ELECTROMAGNETIC ENGINEERING AND SCIENCE. vol. 28, no. 3, Mar guidance system: MGS), MGS. MGS, (pulse repetit THE JOURNAL OF KOREAN INSTITUTE OF ELECTROMAGNETIC ENGINEERING AND SCIENCE. 2017 Mar.; 28(3), 237 245. http://dx.doi.org/10.5515/kjkiees.2017.28.3.237 ISSN 1226-3133 (Print) ISSN 2288-226X (Online) An

More information

(000-000)실험계획법-머리말 ok

(000-000)실험계획법-머리말 ok iii Design Analysis Optimization Design Expert Minitab Minitab Design Expert iv 2008 1 v 1 1. 1 2 1. 2 4 1. 3 6 1. 4 8 1. 5 12 2 2. 1 16 2. 2 17 2. 3 20 2. 4 27 2. 5 30 2. 6 33 2. 7 37 2. 8 42 46 3 3.

More information

LCD Display

LCD Display LCD Display SyncMaster 460DRn, 460DR VCR DVD DTV HDMI DVI to HDMI LAN USB (MDC: Multiple Display Control) PC. PC RS-232C. PC (Serial port) (Serial port) RS-232C.. > > Multiple Display

More information

,,,,,, (41) ( e f f e c t ), ( c u r r e n t ) ( p o t e n t i a l difference),, ( r e s i s t a n c e ) 2,,,,,,,, (41), (42) (42) ( 41) (Ohm s law),

,,,,,, (41) ( e f f e c t ), ( c u r r e n t ) ( p o t e n t i a l difference),, ( r e s i s t a n c e ) 2,,,,,,,, (41), (42) (42) ( 41) (Ohm s law), 1, 2, 3, 4, 5, 6 7 8 PSpice EWB,, ,,,,,, (41) ( e f f e c t ), ( c u r r e n t ) ( p o t e n t i a l difference),, ( r e s i s t a n c e ) 2,,,,,,,, (41), (42) (42) ( 41) (Ohm s law), ( ),,,, (43) 94 (44)

More information

Korean 654x Quick Start Guide

Korean 654x Quick Start Guide é l Agilent DC u ê¹ 654xA. 655xA. 657xA 664xA, 665xA. 667xA, 668xA Agilent Technologies Agilent ã É 5961-5163 Microfiche Ï É 5961-xxxx 2000 6 ÅxùÞ ãÿ ô ö ó Ç ô üè Í ž sùþ ö. üè Í ß Þ ù Ÿ st Û ô s ßs, Æ

More information

09È«¼®¿µ 5~152s

09È«¼®¿µ5~152s Korean Journal of Remote Sensing, Vol.23, No.2, 2007, pp.45~52 Measurement of Backscattering Coefficients of Rice Canopy Using a Ground Polarimetric Scatterometer System Suk-Young Hong*, Jin-Young Hong**,

More information

T100MD+

T100MD+ User s Manual 100% ) ( x b a a + 1 RX+ TX+ DTR GND TX+ RX+ DTR GND RX+ TX+ DTR GND DSR RX+ TX+ DTR GND DSR [ DCE TYPE ] [ DCE TYPE ] RS232 Format Baud 1 T100MD+

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 11 곡선과곡면 01 Spline 곡선 02 Spline 곡면 03 Subdivision 곡면 C n 연속성 C 0 연속성 C 1 연속성 2 C 2 연속성 01 Spline 곡선 1. Cardinal Spline Curve 2. Hermite Spline Curve 3. Bezier Spline Curve 4. Catmull-Rom Spline Curve 5.

More information