PowerPoint Presentation

Size: px
Start display at page:

Download "PowerPoint Presentation"

Transcription

1 기계항공시스템해석 MATLAB 실습 - 시스템구성및시간 / 주파수응답그래프 - 박사과정서종상 azuresky@snuackr Tel: Vehicle Dynamics & Control Laboratory

2 Set Transfer Function and State Space 1) tf Transfer Function From = tf(numerator, Denominator) Numerator ( 분자 ), Denominator( 분모 ) 를통하여 Transfer Function 을 Define 한다 ) ss State Space From = ss(a, B, C, D) State Space A,B,C,D 로부터 State Space Form 을유도 Ex) Transfer Function 을 Define TF = 1 ss ( + 05) system_num=[1]; system_den=[1 05 0]; system=tf(system_num,system_den);

3 Transfer Function State Space 3) tfss [A,B,C,D] = tfss( 분자, 분모 ) Numerator ( 분자 ), Denominator( 분모 ) 를통하여 State Space Matrix A,B,C,D 유도 4) sstf (Numerator, Denominator)= sstf(a, B, C, D) Numerator ( 분자 ), Denominator( 분모 ) 를통하여 Transfer Function (Num,Den) 유도

4 Transfer Function 활용법 System1=tf(num1,den1); System=tf(num,den); System 간곱셈, 덧셈등의계산이가능 system_num1=[1]; system_den1=[1 05 0]; system1=tf(system_num1,system_den1); system_num= [1 35]; system_den= [1 58]; system=tf(system_num,system_den); OLS=system1*system;

5 선형시불변모델의시간응답 함수 내용 step 계단입력에대한선형시간불변모델의응답을구한다 Impulse 충격량입력에대한선형시간불변모델의응답을구한다 Initial 상태방정식으로표현된모델의초기조건에의한과도응답을구한다 lsim 임의의입력에대한선형시간불변모델의응답을구한다 time response란선형시간불변모델에시간 t의함수로표현되는입력이가해질경우에응답을시간 t에대해구하는것을말한다 보통 time response를구하는목적은 delay time, rise time, peak time, max overshoot, settling time 등과같은과도상태에서제어시스템의성능을나타내는값들을계산하기위함이다

6 Step Response step : 단위계단입력에대한응답을얻고자할경우사용된다 step(num,den) % num, den으로정의된 transfer function에대한 step response를그린다 step(num,den,t) % num, den으로정의된 transfer function에대한 step response를시간 t에대해그린다 step(a,b,c,d) % 상태공간으로정의된시스템에대한 step response를그린다 step(a,b,c,d,ui) % 상태공간으로정의된시스템의 input ui에대한 step response를그린다 step(a,b,c,d,ui,t) % 상태공간으로정의된시스템에 input ui에대한 step response를시간 t에대해그린다

7 Step Response Ex 1 1) m 파일 editor window ( 명령어입력 ) clear; clc; % t=0:001:10; num=[0 0 5]; den=[1 4 5]; step(num,den); % 단위계단응답 % step(num,den,t); 시간 t 에대한단위계단응답 grid on; title('unit step response of G(s)=5/(s^+4s+5)')

8 Step Response Ex 1 ) 결과 14 unit step response of G(s)=5/(s +4s+5) 1 1 Amplitude Time (sec)

9 Step Response Ex 1) m 파일 editor window ( 명령어입력 ) clear; clc; A=[-1-1; 65 0]; B=[1 1; 1 0]; C=[1 0; 0 1]; D=[0 0; 0 0]; figure(1) step(a,b,c,d,1) % input u1에대한step response grid on; title('step response plot : input =u1(u=0)'); figure() step(a,b,c,d,) % input u에대한 step response grid on; title('step response plot : input =u(u1=0)'); figure(3) step(a,b,c,d) grid on; % input u1,u 에대한 step response

10 Step Response Ex ) 결과 04 step response plot : input =u1(u=0) 03 step response plot : input =u(u1=0) 0 To: Out(1) 0 0 To: Out(1) Amplitude -04 Amplitude To: Out() 1 05 To: Out() Time (sec) Step Response From: In(1) 04 From: In() Time (sec) 0 To: Out(1) 0-0 Amplitude To: Out() Time (sec)

11 Impulse Response impulse : 단위충격량입력에대한응답을얻고자할경우사용된다 impulse(num,den) % num, den으로정의된 transfer function에대한 impulse response를그린다 impulse(num,den,t) % num, den으로정의된 transfer function에대한 impulse response를시간 t에대해그린다 impulse( A,B,C,D) % 상태공간으로정의된시스템에대한 impulse response를그린다 impulse(a,b,c,d,iu) % 상태공간으로정의된시스템의 input iu에대한 impulse response를그린다 impulse(a,b,c,d,iu,t) % 상태공간으로정의된시스템에 input iu에대한 impulse response를시간 t에대해그린다

12 Initial Response initial : 상태방정식으로표현된모델의초기조건에의한과도응답을얻고자할경우 사용된다 step 이나 impulse는외부입력에대한응답을구한다 이때초기조건은모두 0으로되는데, 초기조건에대한응답을구하고싶을때는 initial 을사용한다 즉, initial은외부입력이없다고하고단지초기조건에대한응답만을구한다 이때에는모델이상태방정식으로표현된모델이어야만하는데그이유는전달함수의경우에는이미전달함수를유도하기위해초기조건을모두 0으로한다는가정을사용했기때문이다

13 Initial Response Ex 1 Initial( A,B,C,D,x0) % 상태공간으로정의된시스템의초기값 x0 에대한 response 를그린다 Initial(A,B,C,D,x0, t) % 상태공간으로정의된시스템에 input iu 에대한 impulse response 를시간 t 에대해그린다 1) m 파일 editor window ( 명령어입력 ) clear; clc; A=[-1-1; 65 0]; B=[1 1; 1 0]; C=[1 0; 0 1]; D=[0 0; 0 0]; x0=[1;0]; % x1 의초기값 1, x 의초기값 0 figure(1) initial(a,b,c,d,x0); grid on; title('initial response plot');

14 Initial Response Ex 1 ) 결과 1 initial response plot 05 To: Out(1) 0-05 Amplitude -1 1 To: Out() Time (sec)

15 lsim Response lsim : 임의의입력에대한선형시간불변모델의응답을구한다 step 이나 impulse 는미리정해진외부입력에대한응답을구한다 하지만 lsim 은임의의입력에대한응답을구할수있다 lsim(num,den,u,t) % transfer function으로정의된시스템의 input u에대한 response를시간 t에대해그린다 lsim(num,den,u,t,x0) % transfer function으로정의된시스템의초기값 x0, input u에대한 response를시간 t에대해그린다 lsim(a,b,c,d,u,t) % 상태공간으로정의된시스템의 input u에대한 response를시간 t에대해그린다 lsim(a,b,c,d,u,t,x0) % 상태공간으로정의된시스템의초기값 x0, input u에대한 response를시간 t에대해그린다

16 lsim Response Ex 1 1) m 파일 editor window ( 명령어입력 ) clear; clc; t=0:001:10; A=[-1-1; 65 0]; B=[1 1; 1 0]; C=[1 0; 0 1]; D=[0 0; 0 0]; u=[0*t+; 0*t+5]; % input u1=*1(t), u=5*1(t) x0=[5;0]; % 초기값 x1=5, x=0 figure(1) lsim (A,B,C,D,u,t) % 시간 t에동안상태방정식으로정의된시스템의 input u에대한 response grid on; title('linear simulation response plot'); figure() lsim (A,B,C,D,u,t,x0) % 시간 t에동안상태방정식으로정의된시스템의 input u와초기값 x0에대한 response grid on; grid on; title('linear simulation response plot');

17 lsim Response Ex 1 ) 결과 6 linear simulation response plot 6 linear simulation response plot 4 4 To: Out(1) To: Out(1) Amplitude To: Out() Amplitude To: Out() Time (sec) Time (sec)

18 Plotting bode diagrams with MATLAB 1) From Transfer Function [Magnitude, Phase, Frequency values]=bode(numerator, Denominator, W); Numerator ( 분자 ), Denominator( 분모 ) 를통하여 Bode 의 Magnitude 와 Phase 를구한다 ) From State Space [Magnitude, Phase, Frequency values]=bode(a, B, C, D, W); State Space 의각행렬 A, B, C, D 를통하여 Bode 의 Magnitude 와 Phase 를구한다

19 Bode Plot Example TF = 1 ss ( + 05) %% System Define system_num=[1]; system_den=[1 05 0]; %% Generates logarithmic points w=logspace(0,3,100); %% Bode [mag,phase,w]=bode(system_num,system_den); % bode(system_num,system_den); %% Magnitude magdb = 0*log10(mag); %% Plot figure(1) subplot(11) semilogx(w/(*pi),magdb,'b','linewidth',3);hold on; grid on; xlabel('frequency [rad/s]') ylabel('magnitude [db]') subplot(1) semilogx(w/(*pi),phase,'b','linewidth',3);hold on; grid on; xlabel('frequency [rad/s]') ylabel('phase [deg]') Magnitude [db] Phase [deg] Frequency [rad/s] Frequency [rad/s]

20 Suspension Example m y Design Considerations 1 Ride Quality Sprung mass acceleration : y k b Rattle space Suspension Deflection : y x m1 x 3 Tire Force Vibration Tire Deflection : x u k 1 P u Spring Stiffness : k Damping Ratio : b Tire Stiffness : k 1 Suspension Design Parameters

21 Dynamic Equations Free Body Diagram k ( y x) by ( x ) y m m1 x k ( y x) by ( x ) k ( u x) 1 Dynamic Equations m x= k ( y x) + b( y x ) + k ( u x) 1 1 m y = k ( y x) b( y x )

22 Laplace Transform Laplace Transform [ m s + bs + ( k + k )] X () s = ( bs + k ) Y () s + k U () s [ m s + bs + k ] Y () s = ( bs + k ) X () s Displacement of Mass Y() s k ( bs + k ) = U ( s) m m s ( m m ) bs [( k m ( k k ) m ] s k bs k k X() s k ( m s + bs + k ) = U ( s) m m s ( m m ) bs [( k m ( k k ) m ] s k bs k k Design Considerations s Y() s s k ( bs + k ) 1 1() = = 4 3 U( s) mm 1 s + ( m1+ m) bs + [( km1+ ( k1+ k) m] s + kb 1s+ k1k G s Sprung mass acceleration : y G Y() s X() s kms 1 () s = = 4 3 U ( s) m1m s + ( m1+ m) bs + [( km1+ ( k1+ k) m] s + k1bs + k1k Suspension Deflection : y x X() s U() s mm s ( m + m ) bs k ( m + m ) s () = = 4 3 U ( s) m1m s + ( m1+ m) bs + [( km1+ ( k1+ k) m] s + k1bs + k1k G s Tire Deflection : x u

23 State Equation General Form of State Equation x = Ax + Bu y = Cx + Du Dynamic Equations m z = k ( z z ) + b( z z ) + k ( u z ) 1 u s u s u 1 u The State variables ( x= z, y = z ) u s m ( ) ( ) zs = k zs zu b z s z u x = z z : Suspension Deflection 1 x = z : absolute velocity of sprung mass x = z u : Tire Deflection 3 x = z : absolute velocity of unsprung mass 4 s s u u u 1 st order State equations x = z z = x x 1 3 s u 4 k b k b b x = ( z z ) ( z z ) = x x + x m m m m m u s u s u 1 x = z u = x u 4 k b k k b k b x 4 = ( z z ) + ( z z ) ( z u) = x + x x m m m m m m m 1 1 s u s u u x

24 System Matrix Matrix Form of State equations (system matrix) x 1 k b b x1 0 0 x m m m x 0 = + u x x 3 1 x 4 k b k1 b x4 0 m1 m1 m1 m1 Matrix Form of State equations (output matrix) k b b y = x = x x + x : Sprung mass acceleration m m m y = z z = x : Suspension Deflection s u 1 y = z u = x : Tire Deflection 3 u 3 y k b b 0 m m m x 1 1 x y = x 3 y 3 x

25 MATLAB Simulation using Laplace Transform Suspension Parameters m1=55; m=400; b=1000; k1=180000; k=18000; % unsprung mass % sprung mass % damping ratio % stiffness of Tire % stiffness of sping Displacement of Mass (Transfer function) % Transfer Function of sprung mass displacement num_s=[k1*b k1*k]; den=[m1*m (m1+m)*b [k*(m1+m)+k1*m] k1*b k1*k]; % Transfer Function of sprung mass displacement num_u=[k1*m k1*b k1*k]; Design Considerations (Transfer function) % Transfer Function of sprung mass acceleration num_1=[k1*b k1*k 0 0]; % Transfer Function of suspension deflection num_=[-k1*m 0 0]; % Transfer Function of tire deflection num_3=[-m1*m -(m1+m)*b -k*(m1+m)]; printsys(num_1,den) % print system transfer function

26 MATLAB Simulation using Laplace Transform Making Input functions t=0:001:0; % 시간을정의 %sine 함수 u1=01*sin(0*t); % sine 함수를이용한자갈길 u=00*sin(4*t)+00*abs(sin(4*t)); % abs() : 절대값함수 % 과속방지턱 u3=005*sin(*pi/0*(t-5))+abs(005*sin(*pi/0*(t-5))); Simulation & Plot result % Linear simulation y=lsim(num_s,den,u1,t); x=lsim(num_u,den,u1,t); plot(t,u1,t,x+03,t,y+1); grid on; title(' 시스템의응답 '); xlabel('time [sec]'); ylabel('displacement'); legend('u(t)','x(t)+03','y(t)+1');

27 Simulation Results Simulation result(1) Simulation result() : 자갈길 m m m 1 m 1 Simulation result(3) : 과속방지턱 Deflection of Elements m m 1

28 MATLAB Simulation using State Equation Suspension Parameters m1=55; m=400; b=1000; k1=180000; k=18000; % unsprung mass % sprung mass % damping ratio % stiffness of Tire % stiffness of sping State Equation % Define State eqations A=[ ; -k/m -b/m 0 b/m; k/m1 b/m1 -k1/m1 -b/m1]; B=[0; 0; -1; 0]; C=[-k/m -b/m 0 b/m; ; ]; D=[0; 0; 0]; Making Input functions t=0:001:0; %sine 함수 u1=01*sin(0*t); % 시간을정의 % sine 함수를이용한자갈길 u=00*sin(4*t)+00*abs(sin(4*t)); % abs() : 절대값함수 % 과속방지턱 u3=005*sin(*pi/0*(t-5))+abs(005*sin(*pi/0*(t-5))); % 입력의미분함수구하기 : State equation 의입력 u3_d=diff(u3)/001; u3_d=[u3_d u3_d(length(u3_d))];

29 MATLAB Simulation using State Equation Simulation & plot result % Linear simulation y=lsim(a,b,c,d,u3_d,t); % n-row, 3-column figure subplot(311) plot(t,y(:,1),'linewidth',); grid on; ylabel('acceleration[m/s^]'); title('design Considerations'); subplot(31) plot(t,y(:,),'linewidth',); grid on; ylabel('suspension deflection[m]'); subplot(313) plot(t,y(:,3),'linewidth',); grid on; ylabel('tire deflection[m]'); xlabel('time[sec]'); y 가 n 행 3 열의데이터

30 Simulation Results 자갈길 과속방지턱

31 Parametric Study using for loop Parameters & Input function m1=55; m=400; b=1000; k1=180000; t=0:001:0; % unsprung mass % sprung mass % damping ratio % stiffness of Tire % 시간을정의 % sine 함수를이용한자갈길 u1=00*sin(4*t)+00*abs(sin(4*t)); % abs() : 절대값함수 Parametric study k=[ ]; % 변화시킬 parameter 를배열로정의 for i=1:1:4 % index의설정, 시작 : 간격 : 끝 num1=[k1*b k1*k(i)]; % 전달함수를정의 den1=[m1*m (m1+m)*b [m1*k(i)+(k1+k(i))*m] k1*b k1*k(i)]; num=[k1*m k1*b k1*k(i)]; den=[m1*m (m1+m)*b [m1*k(i)+(k1+k(i))*m] k1*b k1*k(i)]; y(:,i)=lsim(num1,den1,u1,t); x(:,i)=lsim(num,den,u1,t); end % index 에부여하여 matrix 로저장 figure plot(t,y); % matrix의출력 grid on; title(' 차체의응답 (y(t)'); xlabel('time [sec]'); ylabel('displacement'); legend('k_=1000','k_=18000','k_=4000','k_=30000');

32 Displacement of Sprungmass

33 Bode Plot Transfer Function Transfer Function % Generates logarithmic points w=logspace(0,3,100); % Bode % [mag,phase,w]=bode(num_s,den,w); [mag,phase,w]=bode(num_u,den,w); % Magnitude magdb = 0*log10(mag); % Plot figure(1) subplot(11) semilogx(w/(*pi),magdb,'b','linewidth',3);hold on; grid on; xlabel('frequency [rad/s]') ylabel('magnitude [db]') subplot(1) semilogx(w/(*pi),phase,'b','linewidth',3);hold on; grid on; xlabel('frequency [rad/s]') ylabel('phase [deg]')

34 Bode Plot State Space State Space % Generates logarithmic points w=logspace(0,3,100); % Bode % [mag,phase,w]=bode(num_s,den); [mag,phase,w]=bode(num_u,den); % bode(system_num,system_den); % Magnitude magdb = 0*log10(mag); % Plot figure(1) subplot(11) semilogx(w/(*pi),magdb,'b','linewidth',3);hold on; grid on; xlabel('frequency [rad/s]') ylabel('magnitude [db]') subplot(1) semilogx(w/(*pi),phase,'b','linewidth',3);hold on; grid on; xlabel('frequency [rad/s]') ylabel('phase [deg]')

35 Save and Load the Data 1) Save save 파일명 (Workspace 에있는변수명 ) -ascii Workspace 에있는변수를 ascii code 로된 파일명 으로저장한다 ) Load load 파일명 -ascii ascii code 로된 파일명 으로된파일을같은이름의 Workspace 변수로저장한다 * 단이때문자열이포함되어서는안된다 save resulttxt y -ascii % y 변수를 resulttxt 란파일을만들어서저장 clear all; clc; load resulttxt % resulttxt 를불러옴

36 Help function 3) Help help 명령어 Workspace 에있는변수를 ascii code 로된 파일명 으로저장한다 save resulttxt y -ascii % y 변수를 resulttxt 란파일을만들어서저장 clear all; clc; load resulttxt % resulttxt 를불러옴

이 장에서 사용되는 MATLAB 명령어들은 비교적 복잡하므로 MATLAB 창에서 명령어를 직접 입력하지 않고 확장자가 m 인 text 파일을 작성하여 실행을 한다

이 장에서 사용되는 MATLAB 명령어들은 비교적 복잡하므로 MATLAB 창에서 명령어를 직접 입력하지 않고 확장자가 m 인 text 파일을 작성하여 실행을 한다 이장에서사용되는 MATLAB 명령어들은비교적복잡하므로 MATLAB 창에서명령어를직접입력하지않고확장자가 m 인 text 파일을작성하여실행을한다. 즉, test.m 과같은 text 파일을만들어서 MATLAB 프로그램을작성한후실행을한다. 이와같이하면길고복잡한 MATLAB 프로그램을작성하여실행할수있고, 오류가발생하거나수정이필요한경우손쉽게수정하여실행할수있는장점이있으며,

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

슬라이드 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

Vector Differential: 벡터 미분 Yonghee Lee October 17, 벡터미분의 표기 스칼라미분 벡터미분(Vector diffrential) 또는 행렬미분(Matrix differential)은 벡터와 행렬의 미분식에 대 한 표

Vector Differential: 벡터 미분 Yonghee Lee October 17, 벡터미분의 표기 스칼라미분 벡터미분(Vector diffrential) 또는 행렬미분(Matrix differential)은 벡터와 행렬의 미분식에 대 한 표 Vector Differential: 벡터 미분 Yonhee Lee October 7, 08 벡터미분의 표기 스칼라미분 벡터미분(Vector diffrential) 또는 행렬미분(Matrix differential)은 벡터와 행렬의 미분식에 대 한 표기법을 정의하는 방법이다 보통 스칼라(scalar)에 대한 미분은 일분수 함수 f : < < 또는 다변수 함수(function

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

*세지6문제(306~316)OK

*세지6문제(306~316)OK 01 02 03 04 306 05 07 [08~09] 0 06 0 500 km 08 09 307 02 03 01 04 308 05 07 08 06 09 309 01 02 03 04 310 05 08 06 07 09 311 01 03 04 02 312 05 07 0 500 km 08 06 0 0 1,000 km 313 09 11 10 4.8 5.0 12 120

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

) (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

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

PowerPoint Presentation

PowerPoint Presentation MATLAB Motion & Power Control Laboratory System Dynamics 2012 Spring INTRODUCTION 개요 Clever Moler 가 Fortran으로작성 Mathworks ( www.mathworks.com ) 에서 Release MATLAB은 Matrix Laboratory의약어 여러분야의 Toolbox( 일종의

More information

KAERI/TR-2128/2002 : SMART 제어봉구동장치 기본설계 보고서

KAERI/TR-2128/2002 : SMART 제어봉구동장치 기본설계 보고서 KAERI =100,000 25 20 Force, [kn/m^2] 15 10 5 0 0.6 0.8 1.0 1.2 1.4 1.6 1.8 2.0 b/a I = 1500[ AT ], a + b = 16[ mm], hr = 5.6[ mm], hδ = 11.2[ mm], δ = 0.35[

More information

<C0E5B7C1BBF328BEEEB8B0C0CCB5E9C0C729202D20C3D6C1BE2E687770>

<C0E5B7C1BBF328BEEEB8B0C0CCB5E9C0C729202D20C3D6C1BE2E687770> 본 작품들의 열람기록은 로그파일로 남게 됩니다. 단순 열람 목적 외에 작가와 마포구의 허락 없이 이용하거나 무단 전재, 복제, 배포 시 저작권법의 규정에 의하여 처벌받게 됩니다. 마포 문화관광 스토리텔링 공모전 구 분 내 용 제목 수상내역 작가 공모분야 장르 어린이들의 가장 즐거웠던 나들이 장소들 마포 문화관광 스토리텔링 공모전 장려상 변정애 창작이야기 기타

More information

Microsoft PowerPoint - 기계공학실험1-1MATLAB_개요2D.pptx

Microsoft PowerPoint - 기계공학실험1-1MATLAB_개요2D.pptx 1. MATLAB 개요와 활용 기계공학실험 I 2013년 2학기 MATLAB 시작하기 이장의내용 MATLAB의여러창(window)들의 특성과 목적 기술 스칼라의 산술연산 및 기본 수학함수의 사용. 스칼라 변수들(할당 연산자)의 정의 및 변수들의 사용 방법 스크립트(script) 파일에 대한 소개와 간단한 MATLAB 프로그램의 작성, 저장 및 실행 MATLAB의특징

More information

OR MS와 응용-03장

OR MS와 응용-03장 o R M s graphical solution algebraic method ellipsoid algorithm Karmarkar 97 George B Dantzig 979 Khachian Karmarkar 98 Karmarkar interior-point algorithm o R 08 gallon 000 000 00 60 g 0g X : : X : : Ms

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

예제 1.1 ( 관계연산자 ) >> A=1:9, B=9-A A = B = >> tf = A>4 % 4 보다큰 A 의원소들을찾을경우 tf = >> tf = (A==B) % A

예제 1.1 ( 관계연산자 ) >> A=1:9, B=9-A A = B = >> tf = A>4 % 4 보다큰 A 의원소들을찾을경우 tf = >> tf = (A==B) % A 예제 1.1 ( 관계연산자 ) >> A=1:9, B=9-A A = 1 2 3 4 5 6 7 8 9 B = 8 7 6 5 4 3 2 1 0 >> tf = A>4 % 4 보다큰 A 의원소들을찾을경우 tf = 0 0 0 0 1 1 1 1 1 >> tf = (A==B) % A 의원소와 B 의원소가똑같은경우를찾을때 tf = 0 0 0 0 0 0 0 0 0 >> tf

More information

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

Control Simulation and Experiment of a Cart-Pendulum System Mission. Control and Estimator Design Derivation of the (coupled nonlinear) dynamic equati 205 년고등자동제어 Term Project Dynamic Simulation and Control Experiment for Cart-Pendulum System Dynamic Simulation Modeling and Control Design Control Experiment Control Simulation and Experiment of a Cart-Pendulum

More information

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

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

(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

% Rectangular Value 입력 t = -50 : 1 : 50; % 시간영역 for i = 1 : 101 if abs ( t ( i ) ) < 10 x ( i ) = 1; else x ( i ) = 0; % 화면을 2 열 1 행으로나눈후 % 2 열 1 행에 R

% Rectangular Value 입력 t = -50 : 1 : 50; % 시간영역 for i = 1 : 101 if abs ( t ( i ) ) < 10 x ( i ) = 1; else x ( i ) = 0; % 화면을 2 열 1 행으로나눈후 % 2 열 1 행에 R % sin 그래프계산및출력 t = -50 : 1 : 50; T = 10; f = 1/T; Nsin = sin ( ( 2 * pi * f * t ) ) % 시간영역 % 주기 % 주파수 % sin(2πft) % F(sin) 계산 Fsin = fftshift ( fft ( Nsin ) ); % 화면을 2 열 1 행으로나눈후 % 2 열 1 행에 Sin 그래프출력 subplot

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

fig_01_01

fig_01_01 Farid Golnaraghi Simon Fraser University Vancouver, Canada ISBN-13: 978-1259643835 ISBN-10: 1259643832 1 2 INTRODUCTION In order to find the time response of a control system, we first need to model the

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

040902.hwp

040902.hwp 특집 자동차와 물리학 자동차의 성능과 향상방안 유 완 석 머리말 종래의 자동차에서는 엔진이 차지하는 비중이 높았기에 자 동차를 엔진기술이 포함된 자동차공학 또는 기계공학의 주 응 용대상으로 보아 왔으나, 최근의 자동차는 공학이나 과학 등 다양한 분야의 기술들이 결집된 신기술의 통합체로 만들어진 다고 보아질 만큼 많은 분야의 기술들이 적용되고 있다. 동력 자체도

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

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

USER GUIDE

USER GUIDE Solution Package Volume II DATABASE MIGRATION 2010. 1. 9. U.Tu System 1 U.Tu System SeeMAGMA SYSTEM 차 례 1. INPUT & OUTPUT DATABASE LAYOUT...2 2. IPO 중 VB DATA DEFINE 자동작성...4 3. DATABASE UNLOAD...6 4.

More information

취업규칙

취업규칙 취업규칙 제13차/개정 2015-10-21 제1장 총칙 제1조 (목적) 이 규칙은 주식회사 강원랜드(이하 회사 라 한다.)의 직원의 취업조건과 복무규율에 관한 사항을 정함을 목적으로 한다. 제2조 (적용범위) 직원의 취업조건 및 복무에 관하여 다른 규정에 특별한 규정이 있는 경우를 제외하고는 이 규칙이 정하는 바에 의한다. 제3조 (직원의 정의) 이 규칙에서

More information

PowerPoint Presentation

PowerPoint Presentation MATLAB 기초사용법 2.2. MATLAB 의작업환경 Help 현재 directory Workspace 2.2. MATLAB 의작업환경 2.2.2 MATLAB 의작업폴더 >> cd >> dir * Path: MATLAB 프로그램이파일을찾는경로 2.2. MATLAB 의작업환경 2.2.4. MATLAB 의작업방법 1) MATLAB 에서실행되는파일인 m 파일을만들어실행하는방법

More information

슬라이드 1

슬라이드 1 한경대학교전기전자제어공학과 유동상교수 실험목적 - 회로의주파수응답및필터에대해이해 강의내용 - 주파수응답과필터 - 저주파통과필터 - 고주파통과필터 오늘의실험 - Multisim을이용한시뮬레이션 - 브레드보드에회로구성을통한실험및계측 이득 (Gain) : 입력정현파의진폭에대한출력정현파의진폭의비 gain output amplitude input amplitude

More information

Columns 8 through while expression {commands} 예제 1.2 (While 반복문의이용 ) >> num=0

Columns 8 through while expression {commands} 예제 1.2 (While 반복문의이용 ) >> num=0 for loop array {commands} 예제 1.1 (For 반복변수의이용 ) >> data=[3 9 45 6; 7 16-1 5] data = 3 9 45 6 7 16-1 5 >> for n=data x=n(1)-n(2) -4-7 46 1 >> for n=1:10 x(n)=sin(n*pi/10); n=10; >> x Columns 1 through 7

More information

<4D F736F F F696E74202D20B8B6C0CCC5A9B7CEC7C1B7CEBCBCBCAD202839C1D6C2F7207E203135C1D6C2F >

<4D F736F F F696E74202D20B8B6C0CCC5A9B7CEC7C1B7CEBCBCBCAD202839C1D6C2F7207E203135C1D6C2F > 10주차 문자 LCD 의인터페이스회로및구동함수 Next-Generation Networks Lab. 5. 16x2 CLCD 모듈 (HY-1602H-803) 그림 11-18 19 핀설명표 11-11 번호 분류 핀이름 레벨 (V) 기능 1 V SS or GND 0 GND 전원 2 V Power DD or V CC +5 CLCD 구동전원 3 V 0 - CLCD 명암조절

More information

15 홍보담당관 (언론홍보담당) 김병호 ( 金 秉 鎬 ) 16 (행정담당) 박찬해 ( 朴 鑽 海 ) 예산담당관 17 (복지행정담당) 이혁재 ( 李 赫 在 ) 18 (보육담당) 주사 이영임 ( 李 泳 任 ) 기동근무해제. 19 (장애인담당) 박노혁 ( 朴 魯 爀 ) 기동

15 홍보담당관 (언론홍보담당) 김병호 ( 金 秉 鎬 ) 16 (행정담당) 박찬해 ( 朴 鑽 海 ) 예산담당관 17 (복지행정담당) 이혁재 ( 李 赫 在 ) 18 (보육담당) 주사 이영임 ( 李 泳 任 ) 기동근무해제. 19 (장애인담당) 박노혁 ( 朴 魯 爀 ) 기동 人 事 發 令 논산시 (2013. 2. 7일자) 일련 1 감사담당관 지방행정사무관 이정열 ( 李 廷 烈 ) 2 지방행정사무관 김오형 ( 金 五 衡 ) 감사담당관 3 지방행정사무관 조상환 ( 趙 相 煥 ) 행정지원과 4 지방행정사무관 이정호 ( 李 廷 鎬 ) 5 지방행정사무관 서형욱 ( 徐 炯 旭 ) 6 산림공원과 지방행정사무관 이연형 ( 李 連 炯 ) 취암동

More information

Microsoft Word - SRA-Series Manual.doc

Microsoft Word - SRA-Series Manual.doc 사 용 설 명 서 SRA Series Professional Power Amplifier MODEL No : SRA-500, SRA-900, SRA-1300 차 례 차 례 ---------------------------------------------------------------------- 2 안전지침 / 주의사항 -----------------------------------------------------------

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

PowerPoint Presentation

PowerPoint Presentation 시간영역에서의시스템해석 5.. 개요 대상시스템의특성은일정한입력이시스템에가해질경우, 시스템이어떻게응답하는가를통해서파악할수있다. ) 시간응답 (ime repoe) 특성을살펴보기위해자주사용되는기준입력에는단위계단입력, 임펄스입력, 경사입력, 사인입력등이있는데, 대부분경우에단위계단신호를사용한다. 단위계단응답 (ui ep repoe) 을알면나머지임펄스응답과경사응답을유추할수있기때문이다.

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

(Transer Function) X(w) Y(w) H(w) Y(w) X(w) H ( w) φ H(w) H(w) X(w) Y(w). Vo ( w) H v ( w) V ( w) I o( w) H i ( w) I ( w) V ( w) H z ( w) I ( w) I ( w

(Transer Function) X(w) Y(w) H(w) Y(w) X(w) H ( w) φ H(w) H(w) X(w) Y(w). Vo ( w) H v ( w) V ( w) I o( w) H i ( w) I ( w) V ( w) H z ( w) I ( w) I ( w 4 Bode plot( ) Pspice The McGraw-Hill Copanies, Inc.,? A(j) db A db. A 3 db,, ΘG(), L 9 o 8. o L H H (rad/s) (rad/s) : 3 3 : 35~ The McGraw-Hill Copanies, Inc., (Transer Function) X(w) Y(w) H(w) Y(w) X(w)

More information

. 서론,, [1]., PLL.,., SiGe, CMOS SiGe CMOS [2],[3].,,. CMOS,.. 동적주파수분할기동작조건분석 3, Miller injection-locked, static. injection-locked static [4]., 1/n 그림

. 서론,, [1]., PLL.,., SiGe, CMOS SiGe CMOS [2],[3].,,. CMOS,.. 동적주파수분할기동작조건분석 3, Miller injection-locked, static. injection-locked static [4]., 1/n 그림 THE JOURNAL OF KOREAN INSTITUTE OF ELECTROMAGNETIC ENGINEERING AND SCIENCE. 2016 Feb.; 27(2), 170175. http://dx.doi.org/10.5515/kjkiees.2016.27.2.170 ISSN 1226-3133 (Print)ISSN 2288-226X (Online) Analysis

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 hap. 5 능동필터 기본적인필터응답 저역통과필터응답 (low-pass filter (LPF) response) A v( db) V 0log V when X out s 0log f X f X 0log X 0log f Basic LPF response LPF with different roll-off rates 기본적인필터응답 고역통과필터응답 (high-pass

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

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 System Software Experiment 1 Lecture 5 - Array Spring 2019 Hwansoo Han (hhan@skku.edu) Advanced Research on Compilers and Systems, ARCS LAB Sungkyunkwan University http://arcs.skku.edu/ 1 배열 (Array) 동일한타입의데이터가여러개저장되어있는저장장소

More information

Kuo의자동제어10e_10v01

Kuo의자동제어10e_10v01 자동제어 (Automatic Control) 10 장주파수영역분석 교재 : Automatic Control Systems 서론 설계문제에있어서최대오버슈트와상승시간, 지연시간, 정정시간등의시간영역사양을만족시키는통일된설계방법은없음 주파수영역에서는저차의시스템에만국한되지않게이용할수있는도식적인방법이풍부함 주파수영역의특성을기초로시간영역의성능을예측할수있는것과같이주파수영역과시간영역성능의상관관계를이해하는것이중요

More information

08.hwp

08.hwp 박 기 식 여주대학 토목과 (2001. 10. 24. 접수 / 2002. 6. 14. 채택) A Study on the Longitudinal Vibration of Finite Elastic Medium using Laboratory Test Ki-Shik Park Department of Civil Engineering, Yeojoo Institute of

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

Introduction to Maxwell/ Mechanical Coupling

Introduction to Maxwell/    Mechanical Coupling ANSYS 통합해석환경을이용한전기자동차용모터성능해석 ANSYS Korea Byungkil KIM, Soohyun PARK, Jeongwon LEE, Cheonsoo JANG* 1 목차 모터설계에적용되는 ANSYS 제품군역할 모터성능해석 1 : 진동 / 소음 모터성능해석 2 : 피로수명 모터성능해석 3 : 충격강도 2 모터설계에적용되는 ANSYS 제품역할 모터설계에서고려되어야하는기초성능

More information

.... ...... ....

.... ...... .... 17 1516 2 3 3 027 3 1516 13881443 028 1 1444 26 10 1458 4 029 15 14587 1458 030 10 1474 5 16 5 1478 9 1 1478 3 1447 031 10 10 032 1 033 12 2 5 3 7 10 5 6 034 96 5 11 5 3 9 4 12 2 2 3 6 10 2 3 1 3 2 6 10

More information

第 1 節 組 織 11 第 1 章 檢 察 의 組 織 人 事 制 度 등 第 1 項 大 檢 察 廳 第 1 節 組 대검찰청은 대법원에 대응하여 수도인 서울에 위치 한다(검찰청법 제2조,제3조,대검찰청의 위치와 각급 검찰청의명칭및위치에관한규정 제2조). 대검찰청에 검찰총장,대

第 1 節 組 織 11 第 1 章 檢 察 의 組 織 人 事 制 度 등 第 1 項 大 檢 察 廳 第 1 節 組 대검찰청은 대법원에 대응하여 수도인 서울에 위치 한다(검찰청법 제2조,제3조,대검찰청의 위치와 각급 검찰청의명칭및위치에관한규정 제2조). 대검찰청에 검찰총장,대 第 1 章 檢 察 의 組 織 人 事 制 度 등 第 1 節 組 織 11 第 1 章 檢 察 의 組 織 人 事 制 度 등 第 1 項 大 檢 察 廳 第 1 節 組 대검찰청은 대법원에 대응하여 수도인 서울에 위치 한다(검찰청법 제2조,제3조,대검찰청의 위치와 각급 검찰청의명칭및위치에관한규정 제2조). 대검찰청에 검찰총장,대검찰청 차장검사,대검찰청 검사,검찰연구관,부

More information

슬라이드 1

슬라이드 1 Control Engineering with MATLAB chibum@seoultech.ac.kr Oultine MATLAB introduction MATLAB basics MATLAB/Control systems toolbox MATLAB Cleve Moler (mathematician, C.S. Professor, co-author of LINPACK),

More information

슬라이드 1

슬라이드 1 3.7 The Inverse -transfor f ( ) Z F( ) long dvson 2 expanson n partal dvson 3 resdue ethod 3.7. Long-Dvson Method B () F( ) B( ) 를 A( ) A () 로나누어 의 negatve power seres 로표현해계수를구함 Regon of Convergence(ROC)

More information

Orcad Capture 9.x

Orcad Capture 9.x OrCAD Capture Workbook (Ver 10.xx) 0 Capture 1 2 3 Capture for window 4.opj ( OrCAD Project file) Design file Programe link file..dsn (OrCAD Design file) Design file..olb (OrCAD Library file) file..upd

More information

歯PLSQL10.PDF

歯PLSQL10.PDF 10 - SQL*Pl u s Pl / SQL - SQL*P lus 10-1 1 0.1 PL/ SQL SQL*Pl u s. SQL*P lus 10-2 1 0.2 S QL* Pl u s PL/ S QL SQL*Pl u s, Pl / SQL. - PL/ SQL (i npu t ), (s t or e ), (r un). - PL/ SQL s cr i pt,,. -

More information

면지

면지 01 2008 중국 쓰촨성 지진피해 사례에 관하여 강대언 이현호 김종호 02 면진무량판 아파트건물의 진동대 실험 천 영 수 03 초고층 건축물의 내진설계 강 창 훈 기 술 기 사 0 1 2008 중 국 쓰 촨 성 지 진 피 해 사 례 에 관 하 여 2008 중국 쓰촨성 지진피해 사례에 관하여 On the China SiChuan Earthquake May 12,

More information

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

Microsoft PowerPoint - ICCAD_Analog_lec01.ppt [호환 모드] Chapter 1. Hspice IC CAD 실험 Analog part 1 Digital circuit design 2 Layout? MOSFET! Symbol Layout Physical structure 3 Digital circuit design Verilog 를이용한 coding 및 function 확인 Computer 가알아서해주는 gate level

More information

???? 1

???? 1 The Korean Journal of Applied Statistics (2013) 26(1), 201 208 DOI: http://dx.doi.org/10.5351/kjas.2013.26.1.201 A Note on Model Selection in Mixture Experiments with Process Variables Jung Il Kim a,1

More information

Microsoft PowerPoint - Ch15-1

Microsoft PowerPoint - Ch15-1 h. 5 ctive Filters 기본적인필터응답 (asic filter response) 저역통과필터응답 (low-pass filter (LPF) response) v( db) log when X out s log > πf X f X log π X log ( πf) asic LPF response LPF with different roll-off rates

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

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

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

hlogin2

hlogin2 0x02. Stack Corruption off-limit Kernel Stack libc Heap BSS Data Code off-limit Kernel Kernel : OS Stack libc Heap BSS Data Code Stack : libc : Heap : BSS, Data : bss Code : off-limit Kernel Kernel : OS

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

°ø¾÷-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

에너지경제연구 제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

발간사 기억하지 않는 역사는 반복된다 하였습니다. 올해는 6 25전쟁 55주년과 광복 60년, 을사늑 약 100주년 등 우리나라로서는 역사적으로 매 우 의미 있는 해입니다. 우리가 과거로부터 완전히 자유로울 수 없는 것은 지난 역사가 현재를 살아가고 있는 오늘에 영향을

발간사 기억하지 않는 역사는 반복된다 하였습니다. 올해는 6 25전쟁 55주년과 광복 60년, 을사늑 약 100주년 등 우리나라로서는 역사적으로 매 우 의미 있는 해입니다. 우리가 과거로부터 완전히 자유로울 수 없는 것은 지난 역사가 현재를 살아가고 있는 오늘에 영향을 푸른 바람이 되어 발간사 기억하지 않는 역사는 반복된다 하였습니다. 올해는 6 25전쟁 55주년과 광복 60년, 을사늑 약 100주년 등 우리나라로서는 역사적으로 매 우 의미 있는 해입니다. 우리가 과거로부터 완전히 자유로울 수 없는 것은 지난 역사가 현재를 살아가고 있는 오늘에 영향을 미치고 있기 때문입니다. 그래서 역사는 과거를 거울삼아 오늘의 삶을 조명하고

More information

MATLAB and Numerical Analysis

MATLAB and Numerical Analysis School of Mechanical Engineering Pusan National University dongwoonkim@pusan.ac.kr Review 무명함수 >> fun = @(x,y) x^2 + y^2; % ff xx, yy = xx 2 + yy 2 >> fun(3,4) >> ans = 25 시작 x=x+1 If문 >> if a == b >>

More information

(72) 발명자 정진곤 서울특별시 성북구 종암1동 54-398 이용훈 대전광역시 유성구 어은동 한빛아파트 122동 1301 호 - 2 -

(72) 발명자 정진곤 서울특별시 성북구 종암1동 54-398 이용훈 대전광역시 유성구 어은동 한빛아파트 122동 1301 호 - 2 - (51) Int. Cl. (19) 대한민국특허청(KR) (12) 등록특허공보(B1) H04B 7/04 (2006.01) H04B 7/02 (2006.01) H04L 1/02 (2006.01) (21) 출원번호 10-2007-0000175 (22) 출원일자 2007년01월02일 심사청구일자 2008년08월26일 (65) 공개번호 10-2008-0063590 (43)

More information

DIB-100_K(90x120)

DIB-100_K(90x120) Operation Manual 사용설명서 Direct Box * 본 제품을 사용하기 전에 반드시 방송방식 및 전원접압을 확인하여 사용하시기 바랍니다. MADE IN KOREA 2009. 7 124447 사용하시기 전에 사용하시기 전에 본 기기의 성능을 충분히 발휘시키기 위해 본 설명서를 처음부터 끝까지 잘 읽으시고 올바른 사용법으로 오래도록 Inter-M 제품을

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

PRO1_02E [읽기 전용]

PRO1_02E [읽기 전용] Siemens AG 1999 All rights reserved File: PRO1_02E1 Information and 2 STEP 7 3 4 5 6 STEP 7 7 / 8 9 10 S7 11 IS7 12 STEP 7 13 STEP 7 14 15 : 16 : S7 17 : S7 18 : CPU 19 1 OB1 FB21 I10 I11 Q40 Siemens AG

More information

<313920C0CCB1E2BFF82E687770>

<313920C0CCB1E2BFF82E687770> 韓 國 電 磁 波 學 會 論 文 誌 第 19 卷 第 8 號 2008 年 8 月 論 文 2008-19-8-19 K 대역 브릭형 능동 송수신 모듈의 설계 및 제작 A Design and Fabrication of the Brick Transmit/Receive Module for K Band 이 기 원 문 주 영 윤 상 원 Ki-Won Lee Ju-Young Moon

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

Coriolis.hwp

Coriolis.hwp MCM Series 주요특징 MaxiFlo TM (맥시플로) 코리올리스 (Coriolis) 질량유량계 MCM 시리즈는 최고의 정밀도를 자랑하며 슬러리를 포함한 액체, 혼합 액체등의 질량 유량, 밀도, 온도, 보정된 부피 유량을 측정할 수 있는 질량 유량계 이다. 단일 액체 또는 2가지 혼합액체를 측정할 수 있으며, 강한 노이즈 에도 견디는 면역성, 높은 정밀도,

More information

( )프로본문_ok

( )프로본문_ok 직업탐구 영역 프로그래밍 기획 및 개발 김원정(EBS) 집필 및 검토 이병모(덕정고) 이주암(강서공고) 정종직(단산중) 홍석범(상일미디어고) 이경배(선일이비즈니스고) 01 06 11 16 21 26 31 36 41 46 EBSi www.ebsi.co.kr Q&A EBSi www.ebsi.co.kr EBSi VOD 1 EBS 30 50 1 3 2 4 01 1

More information

π >> x=linspace(0,2*pi,30); >> y=sin(x); >> plot(x,y) π

π >> x=linspace(0,2*pi,30); >> y=sin(x); >> plot(x,y) π π >> x=linspace(,2*pi,3); >> y=sin(x); >> plot(x,y) - - - - - 2 3 4 5 6 7 π >> x=linspace(,2*pi,3); y=sin(x); z=cos(x); >> plot(x,y,x,z) - - - - - 2 3 4 5 6 7 >> x=linspace(,2*pi,3); y=sin(x); z=cos(x);

More information

Matlab Graphics

Matlab Graphics Matlab Graphics 1.Graphics Object (a) figure object (b) Axes object (c) Line object (d) Patch object (e) Surface object (g) Image object (g) Text (h) Uicontrol object 2. 계층조직 1)matlab 그래프들은객체들의조합 2) 객체들은계층도에의해분류

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

Microsoft PowerPoint - ch12ysk2015x [호환 모드]

Microsoft PowerPoint - ch12ysk2015x [호환 모드] 회로이론 h 가변주파수회로망의동작 김영석 충북대학교전자정보대학 5.9. Email: kimy@cbu.ac.kr k h- 소자의주파수특성 h 가변주파수회로망 : 학습목표 회로망함수의영점 zero 과극점 pole 회로망함수의보드선도 bode plot 직병렬공진회로해석 크기와주파수스케일링개념 저역통과 PF 고역통과 HPF 대역통과 BPF 대역저지 BF 필터특성 수동및능동필터해석

More information

Microsoft Word - [2017SMA][T8]OOPT_Stage_2040 ver2.docx

Microsoft Word - [2017SMA][T8]OOPT_Stage_2040 ver2.docx OOPT Stage 2040 - Design Feesual CPT Tool Project Team T8 Date 2017-05-24 T8 Team Information 201211347 박성근 201211376 임제현 201411270 김태홍 2017 Team 8 1 Table of Contents 1. Activity 2041. Design Real Use

More information

歯99-16.PDF

歯99-16.PDF 99 Standa rd Pro c e dure s Whe n Ea rthq ua ke Strike s 1 1 1.1 1 1.2 1 1.2.1 2 1.2.2 6 1.3 9 1.4 10 2 13 2.1 13 2.1.1 13 2.1.2 13 2.1.3 19 2.1.4 19 2.1.5 29 2.2 31 2.2.1 32 2.2.2 33 2.2.3 46 3 49 3.1

More information

<313630313032C6AFC1FD28B1C7C7F5C1DF292E687770>

<313630313032C6AFC1FD28B1C7C7F5C1DF292E687770> 양성자가속기연구센터 양성자가속기 개발 및 운영현황 DOI: 10.3938/PhiT.25.001 권혁중 김한성 Development and Operational Status of the Proton Linear Accelerator at the KOMAC Hyeok-Jung KWON and Han-Sung KIM A 100-MeV proton linear accelerator

More information

8-VSB (Vestigial Sideband Modulation)., (Carrier Phase Offset, CPO) (Timing Frequency Offset),. VSB, 8-PAM(pulse amplitude modulation,, ) DC 1.25V, [2

8-VSB (Vestigial Sideband Modulation)., (Carrier Phase Offset, CPO) (Timing Frequency Offset),. VSB, 8-PAM(pulse amplitude modulation,, ) DC 1.25V, [2 VSB a), a) An Alternative Carrier Phase Independent Symbol Timing Offset Estimation Methods for VSB Receivers Sung Soo Shin a) and Joon Tae Kim a) VSB. VSB.,,., VSB,. Abstract In this paper, we propose

More information

PowerPoint Presentation

PowerPoint Presentation 신호조절 (Signal Conditioning) 메카트로닉스 시스템의 구성 ECU 인터페이스 회로 (시그널 컨디셔닝) 마이컴 Model of 기계 시스템 인터페이스 회로 (드라이빙 회로) 센서 액츄에이터 (구동기) 기계 시스템 PN 접합 다이오드 [1] 다이오드의 DC 해석과 등가모델 [1] 다이오드의 DC 해석과 등가모델 [1] 다이오드 응용회로 [1] 다이오드

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

딥러닝 첫걸음

딥러닝 첫걸음 딥러닝첫걸음 4. 신경망과분류 (MultiClass) 다범주분류신경망 Categorization( 분류 ): 예측대상 = 범주 이진분류 : 예측대상범주가 2 가지인경우 출력층 node 1 개다층신경망분석 (3 장의내용 ) 다범주분류 : 예측대상범주가 3 가지이상인경우 출력층 node 2 개이상다층신경망분석 비용함수 : Softmax 함수사용 다범주분류신경망

More information

<BCFBC0BABFAD28C3D6C1BE292E687770>

<BCFBC0BABFAD28C3D6C1BE292E687770> 숨은 열을 이용한 친환경 냉난방 Act. 1 Act. 2 Act. 3 Act. 4 Act. 5 에어컨이 지구를 데운다? 물의 세 가지 상태 상태변화와 에너지 상평형과 삼중점 열의 이동과 단열 - 1 - < 프로젝트 개요> 프로젝트 숨은열을 이용한 친환경 냉난방 개요 학습목표 대상학년 및 수준 중학교 1 학년의 상태변화 단원에서 물질의 상태와 변화, 상태변화

More information

<38BFF93238C0CF28B1DDBFE4C0CF2920BFB9BBF3B9E8B4E72E786C7378>

<38BFF93238C0CF28B1DDBFE4C0CF2920BFB9BBF3B9E8B4E72E786C7378> [부산 ] 2009년 08월 28일 ( 金 ) 1경주 국 5(마령)1000M 발주 13:00 종합 인기도 출전 착순 출주 10 11 5 검은요정 국5 한2 암 김재섭 영준 53 3착 선행 5 5 5 15 1 6 3 0.3 주 10 랜드레이디 국5 한2 암 강형곤 현명 53 3착 선행 10 5 6.3 10 10 4 8 4 2 4 주 11 일맥상통 국5 한3 암

More information

THE JOURNAL OF KOREAN INSTITUTE OF ELECTROMAGNETIC ENGINEERING AND SCIENCE Dec.; 26(12),

THE JOURNAL OF KOREAN INSTITUTE OF ELECTROMAGNETIC ENGINEERING AND SCIENCE Dec.; 26(12), THE JOURNAL OF KOREAN INSTITUTE OF ELECTROMAGNETIC ENGINEERING AND SCIENCE. 2015 Dec.; 26(12), 1100 1107. http://dx.doi.org/10.5515/kjkiees.2015.26.12.1100 ISSN 1226-3133 (Print) ISSN 2288-226X (Online)

More information

PowerPoint Presentation

PowerPoint Presentation Signal Processing & Systems ( 신호및시스템 ) 연속시스템 ( 최재영교수 ) 학습목표 연속시스템정의, 다양한분류학습 연속선형시불변시스템의특징, 시스템해석법학습 컨벌루션적분에대한연산방법연습 연속선형시불변시스템의기본적인특징이외에추가되는특징학습 미분방정식을이용하여연속선형시불변시스템의해석학습 목차 1. 연속시스템과분류 2. 연속선형시불변시스템

More information

14. 12.응용A2013-228..-수정.hwp

14.    12.응용A2013-228..-수정.hwp Trans. Korean Soc. Mech. Eng. A, Vol. 37, No. 12, pp. 1547~1557, 2013 1547 < 응용논문> DOI http//dx.doi.org/10.3795/ksme-a.2013.37.12.1547 ISSN 1226-4873(Print) 2288-5226(Online) 전단변형과 시간변화 이동자기력을 고려한 레일의

More information

슬라이드 1

슬라이드 1 Chapter 3. Sampling and The -Transform Digital filter 의설계와해석은 -transform을이용 용이해짐 -transform : 연속된수의형태로나타내어구하는방법 2 continuous signal 은 sample 하여 Laplace Transform을취한후 -transform을구하는방법. n m 일반적으로이용. y( k)

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

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

(Hyunoo Shim) 1 / 24 (Discrete-time Markov Chain) * 그림 이산시간이다연쇄 (chain) 이다왜 Markov? (See below) ➀ 이산시간연쇄 (Discrete-time chain): : Y Y 의상태공간 = {0, 1, 2,..., n} Y n Y 의 n 시점상태 {Y n = j} Y 가 n 시점에상태 j 에있는사건

More information

슬라이드 1

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

More information

Observational Determinism for Concurrent Program Security

Observational Determinism for  Concurrent Program Security 웹응용프로그램보안취약성 분석기구현 소프트웨어무결점센터 Workshop 2010. 8. 25 한국항공대학교, 안준선 1 소개 관련연구 Outline Input Validation Vulnerability 연구내용 Abstract Domain for Input Validation Implementation of Vulnerability Analyzer 기존연구

More information

975_983 특집-한규철, 정원호

975_983 특집-한규철, 정원호 Focused Issue of This Month Gyu Cheol an, MD Department of Otolaryngology ead & Neck Surgery, Gachon University of College Medicine E - mail : han@gilhospital.com Won-o Jung, MD Department of Otolaryngology

More information

제 14 장포인터활용 유준범 (JUNBEOM YOO) Ver 본강의자료는생능출판사의 PPT 강의자료 를기반으로제작되었습니다.

제 14 장포인터활용 유준범 (JUNBEOM YOO) Ver 본강의자료는생능출판사의 PPT 강의자료 를기반으로제작되었습니다. 제 14 장포인터활용 유준범 (JUNBEOM YOO) Ver. 2.0 jbyoo@konkuk.ac.kr http://dslab.konkuk.ac.kr 본강의자료는생능출판사의 PPT 강의자료 를기반으로제작되었습니다. 이번장에서학습할내용 이중포인터란무엇인가? 포인터배열 함수포인터 다차원배열과포인터 void 포인터 포인터는다양한용도로유용하게활용될수있습니다. 2 이중포인터

More information

Manufacturing6

Manufacturing6 σ6 Six Sigma, it makes Better & Competitive - - 200138 : KOREA SiGMA MANAGEMENT C G Page 2 Function Method Measurement ( / Input Input : Man / Machine Man Machine Machine Man / Measurement Man Measurement

More information