Introduction to Matlab Programming with Applications

Size: px
Start display at page:

Download "Introduction to Matlab Programming with Applications"

Transcription

1 1 >> Lecture 7 2 >> 3 >> -- Matrix Computation 4 >> Zheng-Liang Lu 297 / 343

2 Vectors ˆ Let R be the set of all real numbers. ˆ R m 1 denotes the vector space of all m-by-1 column vectors: u = (u i ) = u 1. u m ˆ Similarly, the row vector v R 1 n is. (1) v = (v i ) = [ v 1 v n ]. (2) Zheng-Liang Lu 298 / 343

3 Matrices ˆ R m n denotes the vector space of all m-by-n real matrices A: a 11 a 1n A = (a ij ) = a m1 a mn ˆ Recall that we use the subscripts to reference a particular element in a matrix. ˆ The definition for complex matrices is similar. Zheng-Liang Lu 299 / 343

4 Transposition 1 >> A = [1 i]; 2 >> A' % Hermitian operator; see any textbook for... linear algebra 3 4 ans = i i >> A.' % transposition of A 11 ans = i i Zheng-Liang Lu 300 / 343

5 Arithmetic Operations ˆ Let a ij and b ij be the elements of the matrices A and B R m n for 1 i m and 1 j n. ˆ Then C = A ± B can be calculated by c ij = a ij ± b ij. (Try.) Zheng-Liang Lu 301 / 343

6 ˆ Let u, v R m 1. Inner Product 1 ˆ Then the inner product, denoted by u v, is calculated by u v = u v = [u 1 u m ] v 1. v m. ˆ Inner product is also called projection for emphasizing the geometric significance. 1 Akaa dot product and scalar product. Zheng-Liang Lu 302 / 343

7 Example 1 clear; clc; 2 3 u = [1; 2; 3]; 4 v = [4; 5; 6]; 5 u' * v % normal way 6 dot(u, v) % using the built-in function Zheng-Liang Lu 303 / 343

8 Exercise ˆ Let u and v be any two vectors in R m 1. ˆ Write a program that returns the angle between u and v. Input: u, v Output: θ in radian ˆ You may use norm(u) to calculate the length of u. 2 ˆ Alternatively, use subspace(u, v). 2 See Zheng-Liang Lu 304 / 343

9 Generalization of Inner Product ˆ For simplicity, consider x R. ˆ Let f (x) be a real-valued function. ˆ Let g(x) be a basis function. 3 ˆ Then we can define the inner product of f and g on [a, b] by f, g = b a f (x)g(x)dx. ˆ There exist plenty of basis functions which can be used to represent the functions. 4 3 See 4 See and Zheng-Liang Lu 305 / 343

10 ˆ For example, Fourier transform is widely used in engineering and science. ˆ Fourier integral 5 is defined as F (ω) = f (t)e iωt dt where f (t) is a square-integrable function. ˆ The Fast Fourier transform (FFT) algorithm computes the discrete Fourier transform (DFT) in O(n log n) time. 6,7 5 See 6 Cooley and Tukey (1965). 7 See Zheng-Liang Lu 306 / 343

11 Cross Product 9 ˆ cross(u, v) returns the cross product of the vectors x and y of length 3. 8 ˆ For example, 1 >> u = [1; 0; 0]; 2 >> v = [0; 1; 0]; 3 >> w = cross(u, v) % built-in function 4 5 w = Actually, only in 3- and 7-dimensional Euclidean spaces. 9 For example, angular momentum, Lorentz force, and Poynting vector. Zheng-Liang Lu 307 / 343

12 Zheng-Liang Lu 308 / 343

13 Matrix Multiplication ˆ Let A R m q and B R q n. ˆ Then C = A B is given by c ij = ˆ For example, q a ik b kj. (3) k=1 Zheng-Liang Lu 309 / 343

14 Example 1 clear; clc; 2 3 A = randi(10, 5, 4); % 5-by-4 4 B = randi(10, 4, 3); % 4-by-3 5 C = zeros(size(a, 1), size(b, 2)); 6 for i = 1 : size(a, 1) 7 for j = 1 : size(b, 2) 8 for k = 1 : size(a, 2) 9 C(i, j) = C(i, j) + A(i, k) * B(k, j); 10 end 11 end 12 end 13 C % display C ˆ Time complexity: O(n 3 ) ˆ Strassen (1969): O(n ) Zheng-Liang Lu 310 / 343

15 Matrix Exponentiation ˆ Raising a matrix to a power is equivalent to repeatedly multiplying the matrix by itself. ˆ For example, A 2 = A A. ˆ It implies that A should be square. (Why?) ˆ The matrix exponential 10 is a matrix function on square matrices analogous to the ordinary exponential function. ˆ More explicitly, e A A n = n!. ˆ However, raising a matrix to a matrix power, that is, A B, is undefined. n=0 10 See matrix exponentials and Pauli matrices. Zheng-Liang Lu 311 / 343

16 Example 1 clear; clc; 2 3 A = [0 1; 1 0]; 4 5 trial1 = exp(a) 6 trial2 = eye(size(a)); 7 for n = 1 : 10 8 trial2 = trial2 + X ˆ n / factorial(n); 9 end 10 trial3 = exp(1) ˆ A % equivalent to expm(a) Zheng-Liang Lu 312 / 343

17 1 trial1 = trial2 = trial3 = Zheng-Liang Lu 313 / 343

18 Determinants ˆ det(a) denotes the determinant of A. [ ] a b ˆ Given A =, then c d det(a) = ad bc. ˆ The function det(a) returns the determinant of A. ˆ However, the general formula for det(a) 11 is complicated. 11 See Zheng-Liang Lu 314 / 343

19 Naive Algorithm 1 function y = mydet(a) 2 [r, ~] = size(a); 3 4 if r == 1 5 y = A; 6 elseif r == 2 7 y = A(1, 1) * A(2, 2) - A(1, 2) * A(2, 1); 8 else 9 y = 0; 10 for i = 1 : r 11 adjoint = A(2 : r, [1 : i - 1, i : r]); 12 y = y + A(1, i) * (-1) ˆ (i + 1) *... mydet(adjoint); 13 end 14 end 15 end Zheng-Liang Lu 315 / 343

20 ˆ It needs n! terms in the sum of products, so this algorithm runs in O(n!) time! ˆ You could compare this algorithm to det for a 10-by-10 matrix. ˆ In practice, an efficient calculation of determinants can be done in O(n 3 ) time, say by LU decomposition See Zheng-Liang Lu 316 / 343

21 Inverse Matrices 13 ˆ A R n n is invertible if there exists B R n n such that A B = B A = I n, where I n denotes the n-by-n identity matrix. ˆ You can use eye(n) to generate an identity matrix I n. ˆ A is invertible if and only if det(a) 0. ˆ The function inv(a) returns the inverse of A. 13 See invertible_matrix_theorem. Zheng-Liang Lu 317 / 343

22 ˆ For example, 1 >> A = pascal(4); % Pascal matrix 2 >> inv(a) % Try it! ˆ However, inv(a) may return a result even if A is ill-conditioned. 14 ˆ For example, det = You may refer to the condition number of a function with respect to an argument. This number measures how much the output value of the function can change for a small change in the input argument. Try rcond. Zheng-Liang Lu 318 / 343

23 First-Order Approximation ˆ Let f (x) be a nonlinear function which is infinitely differentiable at x 0. ˆ By Taylor s expansion 15, we have f (x) = f (x 0 ) + f (x 0 )(x x 0 ) + O( 2 x), where 2 x = (x x 0 ) 2 is the higher-order term, which can be neglected as x 0. ˆ Then we have f (x) f (x 0 )x + k, with k = f (x 0 ) f (x 0 )x 0 is a constant. 15 See Zheng-Liang Lu 319 / 343

24 A Profound Concept: Local Linearization ˆ For example, we barely feel like the curvature of the ground; however, we watch Earth on the moon and agree that Earth is a sphere. ˆ For another example, the Newtonian equation is only a low-speed approximation to Einstein s total energy. ˆ Let m 0 be the rest mass and v be the velocity relative to the inertial coordinate. ˆ Then the total energy is E = m 0 c 2 1 (v/c) 2. ˆ By applying the first-order approximation, E m 0 c mv 2. Zheng-Liang Lu 320 / 343

25 System of Linear Equations ˆ A system of linear equations is a collection of two or more linear equations involving the same set of variables. ˆ For example, Kirchhoff s Laws. Zheng-Liang Lu 321 / 343

26 General Form ˆ A general system of m linear equations with n unknowns can be written as a 11 x 1 +a 12 x 2 +a 1n x n = b 1 a 21 x 1 +a 22 x 2 +a 2n x n = b =. a m1 x 1 +a m2 x 2 +a mn x n = b m where x 1,..., x n are unknowns, a 11,..., a mn are the coefficients of the system, and b 1,..., b m are the constant terms. Zheng-Liang Lu 322 / 343

27 Matrix Equation ˆ Hence we can rewrite the aforesaid equations as follows: Ax = b. where a 11 a 12 a 1n a 21 a 22 a 2n A =......, a m1 a m2 a mn x = x 1. x n, and b = b 1. b m. Zheng-Liang Lu 323 / 343

28 Solutions to System of Linear Equations 17 ˆ Let n be the number of unknowns and m be the number of constraints. 16 ˆ If m = n, then there exists a single unique solution. ˆ If m > n, then there is no solution. ˆ Fortunately, we can find a least-squares error solution such that Ax b 2 is minimal. ˆ If m < n, then there are infinitely many solutions. ˆ We can calculate solutions of these three kinds by x = A \ b. 16 Here we assume that these m row vectors from the constraints are linearly independent. See 17 See Zheng-Liang Lu 324 / 343

29 Unique Solution (m = n) ˆ For example, 3x +2y z = 1 x y +2z = 1 2x +y 2z = 0 1 >> A = [3 2-1; 1-1 2; ]; 2 >> b = [1; -1; 0]; 3 >> x = A \ b Zheng-Liang Lu 325 / 343

30 Overdetermined System (m > n) ˆ For example, 2x y = 2 x 2y = 2 x +y = 1 1 >> A=[2-1; 1-2; 1 1]; 2 >> b=[2; -2; 1]; 3 >> x = A \ b Zheng-Liang Lu 326 / 343

31 ˆ For example, Underdetermined System (m < n) { x +2y +3z = 7 4x +5y +6z = 8 1 >> A = [1 2 3; 4 5 6]; 2 >> b = [7; 8]; 3 >> x = A \ b ˆ Note that this solution is a basic solution, one of infinitely many. ˆ How to find the directional vector? Zheng-Liang Lu 327 / 343

32 Gaussian Elimination Algorithm 18 ˆ First we consider the linear system is represented as an augmented matrix [ A b ]. ˆ We then transform A into an upper triangular matrix 1 ā 12 ā 1n b1 0 1 ā 2n b 2 [ Ā b ] = bn where ā ij s and b i s are the resulting values after elementary row operations. ˆ This matrix is said to be in reduced row echelon form. 18 See Zheng-Liang Lu 328 / 343

33 ˆ By this form, we can have the solution by backward substitution as follows: where i = 1, 2,, n. ˆ Time complexity: O(n 3 ). x i = b i n j=i+1 ā ij x j, Zheng-Liang Lu 329 / 343

34 Exercise 1 clear; clc; 2 3 A = [3 2-1; 1-1 2; ]; 4 b = [1; -1; 0]; 5 A \ b % check the answer 6 7 for i = 1 : 3 8 for j = i : 3 9 b(j) = b(j) / A(j, i); % why first? 10 A(j, :) = A(j, :) / A(j, i); 11 end 12 for j = i + 1 : 3 13 A(j, :) = A(j, :) - A(i, :); 14 b(j) = b(j) - b(i); 15 end 16 end 17 x = zeros(3, 1); Zheng-Liang Lu 330 / 343

35 18 for i = 3 : -1 : 1 19 x(i) = b(i); 20 for j = i + 1 : 1 : 3 21 x(i) = x(i) - A(i, j) * x(j); 22 end 23 end 24 x Zheng-Liang Lu 331 / 343

36 More Functions of Linear Algebra 19 ˆ Matrix properties: norm, rcond, det, null, orth, rank, rref, trace, subspace. ˆ Matrix decomposition: lu, chol, qr. 19 See Zheng-Liang Lu 332 / 343

37 Example: 2D Laplace s Equation ˆ A partial differential equation (PDE) is a differential equation that contains unknown multivariable functions and their partial derivatives. 20 ˆ Let Φ(x, y) be a scalar field on R 2. ˆ Consider Laplace s equation 21 as follows: 2 Φ(x, y) = 0, where 2 = is the Laplace operator. x 2 y 2 ˆ Consider the system shown in the next page. 20 See 21 Pierre-Simon Laplace ( ). Zheng-Liang Lu 333 / 343

38 V5 1 V10 V15 V20 V V4 V9 V14 V19 V V3 0.5 V8 V13 V18 V V2 V7 V12 V17 V V1 V6 V11 V16 V ˆ Consider the boundary condition: ˆ V 1 = V 2 = = V 4 = 0. ˆ V 21 = V 22 = = V 24 = 0. ˆ V 1 = V 6 = = V 16 = 0. ˆ V 5 = V 10 = = V 25 = 1. Zheng-Liang Lu 334 / 343

39 An Simple Approximation 22 ˆ As you can see, we partition the region into many subregions by applying a proper mesh generation. ˆ Then Φ(x, y) can be approximated by Φ(x, y) Φ(x + h, y) + Φ(x h, y) + Φ(x, y + h) + Φ(x, y h), 4 where h is small enough. 22 See _The_Laplace_operator. Zheng-Liang Lu 335 / 343

40 Matrix Formation ˆ By collecting all constraints, we have Ax = b where A = and b = [ ] T. Zheng-Liang Lu 336 / 343

41 Dimension Reduction by Symmetry ˆ As you can see, V 7 = V 17, V 8 = V 18 and V 9 = V 19. ˆ So we can reduce A to A and A = b = [ ] T. ˆ The dimensions of this problem are cut to 6 from 9. ˆ This trick helps to alleviate the curse of dimensionality See Zheng-Liang Lu 337 / 343

42 V V V V V V4 V9 V14 V19 V V V V V V V2 V7 V12 V17 V V1 V6 V11 V16 V Zheng-Liang Lu 338 / 343

43 Remarks ˆ This is a toy example for numerical methods of PDEs. ˆ We can use the PDE toolbox for this case. (Try.) ˆ You may consider the finite element method (FEM). 24 ˆ The mesh generation is also crucial for numerical methods. 25 ˆ You can use the toolbox of Computational Geometry for the triangle mesh See 25 See 26 See https: // Zheng-Liang Lu 339 / 343

44 Example: Method of Least Squares 27 ˆ The method of least squares is a standard approach to the approximate solution of overdetermined systems (m > n). ˆ Let {ŷ i } n i=1 be the observed response values and {y i} n i=1 be the fitted response values. ˆ Let ɛ i = ŷ i y i be the residual for i = 1,..., n. ˆ Then the sum of square residuals estimates associated with the data is given by n S = ɛ 2 i. ˆ The best fit in the least-squares sense minimizes the sum of squared residuals. i=1 27 See Zheng-Liang Lu 340 / 343

45 Zheng-Liang Lu 341 / 343

46 Linear Least Squares ˆ The approach is called linear least squares since the assumed function is linear in the parameters to be estimated. ˆ For example, consider y = ax + b, where a and b are to be determined. ˆ Then we have ɛ i = (ax i + b) ŷ i so that S = n ((ax i + b) ŷ i ) 2. i=1 Zheng-Liang Lu 342 / 343

47 ˆ Now consider the partial derivatives of S with respective to a and b: S n a = 2 x i (y i (ax i + b)) = 0, i=1 S n b = 2 (y i (ax i + b)) = 0. i=1 ˆ We reorganize the above equations as follows: n n n a + b x i = x i y i, i=1 x 2 i a i=1 n x i + nb = i=1 i=1 n y i. i=1 ˆ It could be represented by normal equations See (mathematics)#derivation_of_the_normal_equations. Zheng-Liang Lu 343 / 343

Introduction to Matlab Programming with Applications

Introduction to Matlab Programming with Applications 1 >> Lecture 7 2 >> 3 >> -- Matrix Computation 4 >> Zheng-Liang Lu 283 / 334 Vectors ˆ Let R be the set of all real numbers. ˆ R n denotes the vector space of all m-by-1 column vectors: u = (u i ) = u

More information

Introduction to Matlab Programming with Applications

Introduction to Matlab Programming with Applications 1 >> Lecture 7 2 >> 3 >> -- Matrix Computation 4 >> Zheng-Liang Lu 333 / 410 Vectors ˆ Let R be the set of all real numbers. ˆ R m 1 denotes the vector space of all m-by-1 column vectors: u = (u i ) =

More information

ENGG1410-F Tutorial 6

ENGG1410-F Tutorial 6 Jianwen Zhao Department of Computer Science and Engineering The Chinese University of Hong Kong 1/16 Problem 1. Matrix Diagonalization Diagonalize the following matrix: A = [ ] 1 2 4 3 2/16 Solution The

More information

untitled

untitled Co-integration and VECM Yi-Nung Yang CYCU, Taiwan May, 2012 不 列 1 Learning objectives Integrated variables Co-integration Vector Error correction model (VECM) Engle-Granger 2-step co-integration test Johansen

More information

(baking powder) 1 ( ) ( ) 1 10g g (two level design, D-optimal) 32 1/2 fraction Two Level Fractional Factorial Design D-Optimal D

(baking powder) 1 ( ) ( ) 1 10g g (two level design, D-optimal) 32 1/2 fraction Two Level Fractional Factorial Design D-Optimal D ( ) 4 1 1 1 145 1 110 1 (baking powder) 1 ( ) ( ) 1 10g 1 1 2.5g 1 1 1 1 60 10 (two level design, D-optimal) 32 1/2 fraction Two Level Fractional Factorial Design D-Optimal Design 1. 60 120 2. 3. 40 10

More information

Untitled-3

Untitled-3 SEC.. Separable Equations In each of problems 1 through 8 solve the given differential equation : ü 1. y ' x y x y, y 0 fl y - x 0 fl y - x 0 fl y - x3 3 c, y 0 ü. y ' x ^ y 1 + x 3 x y 1 + x 3, y 0 fl

More information

Introduction to Hamilton-Jacobi Equations and Periodic Homogenization

Introduction to Hamilton-Jacobi Equations  and Periodic Homogenization Introduction to Hamilton-Jacobi Equations and Periodic Yu-Yu Liu NCKU Math August 22, 2012 Yu-Yu Liu (NCKU Math) H-J equation and August 22, 2012 1 / 15 H-J equations H-J equations A Hamilton-Jacobi equation

More information

untitled

untitled 數 Quadratic Equations 數 Contents 錄 : Quadratic Equations Distinction between identities and equations. Linear equation in one unknown 3 ways to solve quadratic equations 3 Equations transformed to quadratic

More information

BC04 Module_antenna__ doc

BC04 Module_antenna__ doc http://www.infobluetooth.com TEL:+86-23-68798999 Fax: +86-23-68889515 Page 1 of 10 http://www.infobluetooth.com TEL:+86-23-68798999 Fax: +86-23-68889515 Page 2 of 10 http://www.infobluetooth.com TEL:+86-23-68798999

More information

Outline Speech Signals Processing Dual-Tone Multifrequency Signal Detection 云南大学滇池学院课程 : 数字信号处理 Applications of Digital Signal Processing 2

Outline Speech Signals Processing Dual-Tone Multifrequency Signal Detection 云南大学滇池学院课程 : 数字信号处理 Applications of Digital Signal Processing 2 CHAPTER 10 Applications of Digital Signal Processing Wang Weilian wlwang@ynu.edu.cn School of Information Science and Technology Yunnan University Outline Speech Signals Processing Dual-Tone Multifrequency

More information

ABP

ABP ABP 2016 319 1 ABP A. D. Aleksandrov,I. Y. Bakelman,C. Pucci 1 2 ABP 3 ABP 4 5 2 Ω R n : bounded C 0 = C 0 (n) > 0 such that u f in Ω (classical subsolution) max Ω u max u + C 0diam(Ω) 2 f + L Ω (Ω) 3

More information

PowerPoint Presentation

PowerPoint Presentation Decision analysis 量化決策分析方法專論 2011/5/26 1 Problem formulation- states of nature In the decision analysis, decision alternatives are referred to as chance events. The possible outcomes for a chance event

More information

Stochastic Processes (XI) Hanjun Zhang School of Mathematics and Computational Science, Xiangtan University 508 YiFu Lou talk 06/

Stochastic Processes (XI) Hanjun Zhang School of Mathematics and Computational Science, Xiangtan University 508 YiFu Lou talk 06/ Stochastic Processes (XI) Hanjun Zhang School of Mathematics and Computational Science, Xiangtan University hjzhang001@gmail.com 508 YiFu Lou talk 06/04/2010 - Page 1 Outline 508 YiFu Lou talk 06/04/2010

More information

Microsoft PowerPoint - Lecture7II.ppt

Microsoft PowerPoint - Lecture7II.ppt Lecture 8II SUDOKU PUZZLE SUDOKU New Play Check 軟體實作與計算實驗 1 4x4 Sudoku row column 3 2 } 4 } block 1 4 軟體實作與計算實驗 2 Sudoku Puzzle Numbers in the puzzle belong {1,2,3,4} Constraints Each column must contain

More information

[9] R Ã : (1) x 0 R A(x 0 ) = 1; (2) α [0 1] Ã α = {x A(x) α} = [A α A α ]. A(x) Ã. R R. Ã 1 m x m α x m α > 0; α A(x) = 1 x m m x m +

[9] R Ã : (1) x 0 R A(x 0 ) = 1; (2) α [0 1] Ã α = {x A(x) α} = [A α A α ]. A(x) Ã. R R. Ã 1 m x m α x m α > 0; α A(x) = 1 x m m x m + 2012 12 Chinese Journal of Applied Probability and Statistics Vol.28 No.6 Dec. 2012 ( 224002) Euclidean Lebesgue... :. : O212.2 O159. 1.. Zadeh [1 2]. Tanaa (1982) ; Diamond (1988) (FLS) FLS LS ; Savic

More information

Important Notice SUNPLUS TECHNOLOGY CO. reserves the right to change this documentation without prior notice. Information provided by SUNPLUS TECHNOLO

Important Notice SUNPLUS TECHNOLOGY CO. reserves the right to change this documentation without prior notice. Information provided by SUNPLUS TECHNOLO Car DVD New GUI IR Flow User Manual V0.1 Jan 25, 2008 19, Innovation First Road Science Park Hsin-Chu Taiwan 300 R.O.C. Tel: 886-3-578-6005 Fax: 886-3-578-4418 Web: www.sunplus.com Important Notice SUNPLUS

More information

Microsoft PowerPoint - STU_EC_Ch02.ppt

Microsoft PowerPoint - STU_EC_Ch02.ppt 樹德科技大學資訊工程系 Chapter 2: Number Systems Operations and Codes Shi-Huang Chen Sept. 2010 1 Chapter Outline 2.1 Decimal Numbers 2.2 Binary Numbers 2.3 Decimal-to-Binary Conversion 2.4 Binary Arithmetic 2.5

More information

穨control.PDF

穨control.PDF TCP congestion control yhmiu Outline Congestion control algorithms Purpose of RFC2581 Purpose of RFC2582 TCP SS-DR 1998 TCP Extensions RFC1072 1988 SACK RFC2018 1996 FACK 1996 Rate-Halving 1997 OldTahoe

More information

Microsoft Word - ch05note_1210.doc

Microsoft Word - ch05note_1210.doc Section 5. Antiderivatives and indefinite integrals 反 導 函 數 與 不 定 積 分 上 一 章 我 們 已 經 學 過 微 分 以 及 它 的 應 用 現 在 我 們 考 慮 反 向 的 過 程, 稱 為 積 分 (antidifferentiation), 給 定 一 個 導 函 數, 找 出 它 原 始 的 函 數 積 分 也 有 許 多

More information

2015年4月11日雅思阅读预测机经(新东方版)

2015年4月11日雅思阅读预测机经(新东方版) 剑 桥 雅 思 10 第 一 时 间 解 析 阅 读 部 分 1 剑 桥 雅 思 10 整 体 内 容 统 计 2 剑 桥 雅 思 10 话 题 类 型 从 以 上 统 计 可 以 看 出, 雅 思 阅 读 的 考 试 话 题 一 直 广 泛 多 样 而 题 型 则 稳 中 有 变 以 剑 桥 10 的 test 4 为 例 出 现 的 三 篇 文 章 分 别 是 自 然 类, 心 理 研 究 类,

More information

Microsoft PowerPoint _代工實例-1

Microsoft PowerPoint _代工實例-1 4302 動態光散射儀 (Dynamic Light Scattering) 代工實例與結果解析 生醫暨非破壞性分析團隊 2016.10 updated Which Size to Measure? Diameter Many techniques make the useful and convenient assumption that every particle is a sphere. The

More information

Microsoft PowerPoint - CH 04 Techniques of Circuit Analysis

Microsoft PowerPoint - CH 04 Techniques of Circuit Analysis Chap. 4 Techniques of Circuit Analysis Contents 4.1 Terminology 4.2 Introduction to the Node-Voltage Method 4.3 The Node-Voltage Method and Dependent Sources 4.4 The Node-Voltage Method: Some Special Cases

More information

<4D6963726F736F667420506F776572506F696E74202D20B5DAD2BBD5C228B4F2D3A1B0E6292E707074205BBCE6C8DDC4A3CABD5D>

<4D6963726F736F667420506F776572506F696E74202D20B5DAD2BBD5C228B4F2D3A1B0E6292E707074205BBCE6C8DDC4A3CABD5D> Homeworks ( 第 三 版 ):.4 (,, 3).5 (, 3).6. (, 3, 5). (, 4).4.6.7 (,3).9 (, 3, 5) Chapter. Number systems and codes 第 一 章. 数 制 与 编 码 . Overview 概 述 Information is of digital forms in a digital system, and

More information

國立屏東教育大學碩士班研究生共同修業要點

國立屏東教育大學碩士班研究生共同修業要點 目 錄 壹 國 立 屏 東 大 學 碩 士 班 研 究 生 共 同 修 業 辦 法...1 貳 國 立 屏 東 大 學 應 用 數 學 系 碩 士 班 研 究 生 修 業 要 點...5 參 應 用 數 學 系 碩 士 班 課 程 結 構...9 肆 應 用 數 學 系 專 任 師 資 簡 介...15 伍 應 用 數 學 系 碩 士 班 歷 屆 研 究 生 論 文 資 料...17 附 錄 一 國

More information

C/C++ - 函数

C/C++ - 函数 C/C++ Table of contents 1. 2. 3. & 4. 5. 1 2 3 # include # define SIZE 50 int main ( void ) { float list [ SIZE ]; readlist (list, SIZE ); sort (list, SIZE ); average (list, SIZE ); bargragh

More information

大數據天文學 — 時間序列分析 .2cmMichael Ting-Chang Yang 楊庭彰

大數據天文學 —  時間序列分析 .2cmMichael Ting-Chang Yang 楊庭彰 大數據天文學 時間序列分析 Michael Ting-Chang Yang 楊庭彰 1 / 70 2 / 70 3 / 70 4 / 70 5 / 70 6 / 70 (cont.) 7 / 70 South Oscillation El Nino 8 / 70 9 / 70 : time : quantity : period : amplitude : scale : shape : ordered

More information

PowerPoint Presentation

PowerPoint Presentation ITM omputer and ommunication Technologies Lecture #4 Part I: Introduction to omputer Technologies Logic ircuit Design & Simplification ITM 計算機與通訊技術 2 23 香港中文大學電子工程學系 Logic function implementation Logic

More information

中国科学技术大学学位论文模板示例文档

中国科学技术大学学位论文模板示例文档 University of Science and Technology of China A dissertation for doctor s degree An Example of USTC Thesis Template for Bachelor, Master and Doctor Author: Zeping Li Speciality: Mathematics and Applied

More information

Microsoft Word - p11.doc

Microsoft Word - p11.doc () 11-1 ()Classification Analysis( ) m() p.d.f prior (decision) (loss function) Bayes Risk for any decision d( ) posterior risk posterior risk Posterior prob. j (uniform prior) where Mahalanobis Distance(M-distance)

More information

EP 的 准 备 考 完 高 科 到 EP 面 试 也 就 一 个 月 的 时 间, 所 以 我 建 议 大 家 立 即 准 备 起 来, 只 要 GPA 够, 材 料 都 没 有 缺 的 话, 拿 到 面 试 的 机 会 是 不 难 的, 而 且 向 今 年 我 是 号 面 试,23

EP 的 准 备 考 完 高 科 到 EP 面 试 也 就 一 个 月 的 时 间, 所 以 我 建 议 大 家 立 即 准 备 起 来, 只 要 GPA 够, 材 料 都 没 有 缺 的 话, 拿 到 面 试 的 机 会 是 不 难 的, 而 且 向 今 年 我 是 号 面 试,23 https://bbs.sjtu.edu.cn/bbsanc,path,%2fgroups%2fgroup_5%2ffrench %2FD515BBF70%2FD5D315A95%2FG.1167658731.A.html 又 开 始 紧 张 了, 因 为 我 知 道 ep 的 面 试 是 很 难 的, 看 过 他 们 考 纲 上 公 布 的 例 题, 数 学 题 基 本 都 不 会 又 看 过 前

More information

Microsoft PowerPoint - STU_EC_Ch04.ppt

Microsoft PowerPoint - STU_EC_Ch04.ppt 樹德科技大學資訊工程系 Chapter 4: Boolean Algebra and Logic Simplification Shi-Huang Chen Fall 200 Outline Boolean Operations and Expressions Laws and Rules of Boolean Algebra DeMorgan's Theorems Boolean Analysis

More information

Microsoft Word doc

Microsoft Word doc 中 考 英 语 科 考 试 标 准 及 试 卷 结 构 技 术 指 标 构 想 1 王 后 雄 童 祥 林 ( 华 中 师 范 大 学 考 试 研 究 院, 武 汉,430079, 湖 北 ) 提 要 : 本 文 从 结 构 模 式 内 容 要 素 能 力 要 素 题 型 要 素 难 度 要 素 分 数 要 素 时 限 要 素 等 方 面 细 致 分 析 了 中 考 英 语 科 试 卷 结 构 的

More information

Knowledge and its Place in Nature by Hilary Kornblith

Knowledge and its Place in Nature by Hilary Kornblith Deduction by Daniel Bonevac Chapter 7 Quantified Natural Deduction Quantified Natural Deduction As with truth trees, natural deduction in Q depends on the addition of some new rules to handle the quantifiers.

More information

Microsoft Word - 1神奇的矩阵2.doc

Microsoft Word - 1神奇的矩阵2.doc 题 目 : 神 奇 的 矩 阵 第 二 季 ( 修 改 版 2.1) 学 校 : 哈 尔 滨 工 程 大 学 姓 名 : 黎 文 科 联 系 方 式 : QQ 群 :53937814 联 系 方 式 : 190356321@qq.com Contents CONTENTS... 2 前 言... 3 绪 论... 4 1 从 坐 标 系 谈 起... 8 2 内 积 与 范 数 的 深 入 理 解...

More information

投影片 1

投影片 1 Coherence ( ) Temporal Coherence Michelson Interferometer Spatial Coherence Young s Interference Spatiotemporal Coherence 參 料 [1] Eugene Hecht, Optics, Addison Wesley Co., New York 2001 [2] W. Lauterborn,

More information

穨matlab教學範例ccc.doc

穨matlab教學範例ccc.doc MATLAB ( Math Dept. of University of New Hampshire) ( ) 1. Tutorial on vectors 2. Tutorial on matrices 3. Tutorial on vector operations 4. Tutorial on loops 5. Tutorial on plots 6. Tutorial on executable

More information

Microsoft PowerPoint - ATF2015.ppt [相容模式]

Microsoft PowerPoint - ATF2015.ppt [相容模式] Improving the Video Totalized Method of Stopwatch Calibration Samuel C.K. Ko, Aaron Y.K. Yan and Henry C.K. Ma The Government of Hong Kong Special Administrative Region (SCL) 31 Oct 2015 1 Contents Introduction

More information

Microsoft PowerPoint - ryz_030708_pwo.ppt

Microsoft PowerPoint - ryz_030708_pwo.ppt Long Term Recovery of Seven PWO Crystals Ren-yuan Zhu California Institute of Technology CMS ECAL Week, CERN Introduction 20 endcap and 5 barrel PWO crystals went through (1) thermal annealing at 200 o

More information

三維空間之機械手臂虛擬實境模擬

三維空間之機械手臂虛擬實境模擬 VRML Model of 3-D Robot Arm VRML Model of 3-D Robot Arm MATLAB VRML MATLAB Simulink i MATLAB Simulink V-Realm Build Joystick ii Abstract The major purpose of this thesis presents the procedure of VRML

More information

Improved Preimage Attacks on AES-like Hash Functions: Applications to Whirlpool and Grøstl

Improved Preimage Attacks on AES-like Hash Functions: Applications to Whirlpool and Grøstl SKLOIS (Pseudo) Preimage Attack on Reduced-Round Grøstl Hash Function and Others Shuang Wu, Dengguo Feng, Wenling Wu, Jian Guo, Le Dong, Jian Zou March 20, 2012 Institute. of Software, Chinese Academy

More information

C/C++ - 字符输入输出和字符确认

C/C++ - 字符输入输出和字符确认 C/C++ Table of contents 1. 2. getchar() putchar() 3. (Buffer) 4. 5. 6. 7. 8. 1 2 3 1 // pseudo code 2 read a character 3 while there is more input 4 increment character count 5 if a line has been read,

More information

d y d = d 2 y d 2 = > 0 Figure45 :Price consumer curve not a Giffen good X & Y are substitutes From the demand curves. Figure46 Deman

d y d = d 2 y d 2 = > 0 Figure45 :Price consumer curve not a Giffen good X & Y are substitutes From the demand curves. Figure46 Deman Ch4. 個體經濟學一 M i c r o e c o n o m i c s (I) Comparative Statics and Demand EX: u(, y) = 2 + y, Ma,y 2 + y s. t. P + P y y = m FOC MRS y = P P y P + P y y = m MRS y = MU = 2 0.5 0.5 = P MU y 1 P y 1 0.5

More information

Microsoft Word - HC20138_2010.doc

Microsoft Word - HC20138_2010.doc Page: 1 of 7 Date: April 26, 2010 WINMATE COMMUNICATION INC. 9 F, NO. 111-6, SHING-DE RD., SAN-CHUNG CITY, TAIPEI, TAIWAN, R.O.C. The following merchandise was submitted and identified by the vendor as:

More information

Definition 2 echelon form 阶梯形. A m n matrix A is in echelon form if LP row A < LP2 row A < < LPm row A Definition 3 reduce

Definition 2 echelon form 阶梯形. A m n matrix A is in echelon form if LP row A < LP2 row A < < LPm row A Definition 3 reduce Lecture Note on Linear Algebra 2. Row Reduction and Echelon Forms Wei-Shi Zheng, 20 What Do You Learn from This Note In the last note, we solve a system S by transforming it into another equivalent easy

More information

逢 甲 大 學

逢 甲 大 學 Maple Computer Animation Fourbar Linkage Using Maple Maple Maple i Maple Maple ii Abstract "Four-Bar Linkage" is very general in our life, so we can learn the knowledge of "Four-Bar Linkage" in mobile.

More information

Microsoft Word - TIP006SCH Uni-edit Writing Tip - Presentperfecttenseandpasttenseinyourintroduction readytopublish

Microsoft Word - TIP006SCH Uni-edit Writing Tip - Presentperfecttenseandpasttenseinyourintroduction readytopublish 我 难 度 : 高 级 对 们 现 不 在 知 仍 道 有 听 影 过 响 多 少 那 次 么 : 研 英 究 过 文 论 去 写 文 时 作 的 表 技 引 示 巧 言 事 : 部 情 引 分 发 言 该 生 使 在 中 用 过 去, 而 现 在 完 成 时 仅 表 示 事 情 发 生 在 过 去, 并 的 哪 现 种 在 时 完 态 成 呢 时? 和 难 过 道 去 不 时 相 关? 是 所 有

More information

Microsoft Word - KSAE06-S0262.doc

Microsoft Word - KSAE06-S0262.doc Stereo Vision based Forward Collision Warning and Avoidance System Yunhee LeeByungjoo KimHogi JungPaljoo Yoon Central R&D Center, MANDO Corporation, 413-5, Gomae-Ri, Gibeung-Eub, Youngin-Si, Kyonggi-Do,

More information

spss.doc

spss.doc SPSS 8 8.1 K-Means Cluster [ 8-1] 1962 1988 8-1 2 5 31 3 7 20 F2-F3 2 3 F3-F4 3 4 109 8 8-1 2 3 2 3 F2-F3 F3-F4 1962 344 3333 29 9 9.69 1.91 1963 121 1497 27 19 12.37 1.34 1964 187 1813 32 18 9.70 1.06

More information

Microsoft Word - 11月電子報1130.doc

Microsoft Word - 11月電子報1130.doc 發 行 人 : 楊 進 成 出 刊 日 期 2008 年 12 月 1 日, 第 38 期 第 1 頁 / 共 16 頁 封 面 圖 話 來 來 來, 來 葳 格 ; 玩 玩 玩, 玩 數 學 在 11 月 17 到 21 日 這 5 天 裡 每 天 一 個 題 目, 孩 子 們 依 據 不 同 年 段, 尋 找 屬 於 自 己 的 解 答, 這 些 數 學 題 目 和 校 園 情 境 緊 緊 結

More information

Computer Architecture

Computer Architecture ECE 3120 Computer Systems Assembly Programming Manjeera Jeedigunta http://blogs.cae.tntech.edu/msjeedigun21 Email: msjeedigun21@tntech.edu Tel: 931-372-6181, Prescott Hall 120 Prev: Basic computer concepts

More information

Microsoft Word - 第四組心得.doc

Microsoft Word - 第四組心得.doc 徐 婉 真 這 四 天 的 綠 島 人 權 體 驗 營 令 我 印 象 深 刻, 尤 其 第 三 天 晚 上 吳 豪 人 教 授 的 那 堂 課, 他 讓 我 聽 到 不 同 於 以 往 的 正 義 之 聲 轉 型 正 義, 透 過 他 幽 默 熱 情 的 語 調 激 起 了 我 對 政 治 的 興 趣, 願 意 在 未 來 多 關 心 社 會 多 了 解 政 治 第 一 天 抵 達 綠 島 不 久,

More information

2/80 2

2/80 2 2/80 2 3/80 3 DSP2400 is a high performance Digital Signal Processor (DSP) designed and developed by author s laboratory. It is designed for multimedia and wireless application. To develop application

More information

Abstract Due to the improving of living standards, people gradually seek lighting quality from capacityto quality. And color temperature is the important subject of it. According to the research from aboard,

More information

永遠的革新號--側論《筆匯》遺漏在文學史上的密碼

永遠的革新號--側論《筆匯》遺漏在文學史上的密碼 屏 東 教 育 大 學 學 報 - 人 文 社 會 類 第 四 十 期 2013 年 3 月 頁 61-88 永 遠 的 革 新 號 側 論 筆 匯 遺 漏 在 文 學 史 上 的 密 碼 及 其 重 要 性 陳 明 成 摘 要 由 於 歷 來 有 關 文 學 雜 誌 與 現 代 文 學 的 研 究 成 果 已 呈 豐 碩, 相 形 之 下, 對 於 栽 種 在 兩 者 之 中 的 革 新 號 筆

More information

TA-research-stats.key

TA-research-stats.key Research Analysis MICHAEL BERNSTEIN CS 376 Last time What is a statistical test? Chi-square t-test Paired t-test 2 Today ANOVA Posthoc tests Two-way ANOVA Repeated measures ANOVA 3 Recall: hypothesis testing

More information

<4D6963726F736F667420576F7264202D203033BDD7A16DA576B04FA145A4ADABD2A5BBACF6A16EADBAB6C0ABD2A4A7B74EB8712E646F63>

<4D6963726F736F667420576F7264202D203033BDD7A16DA576B04FA145A4ADABD2A5BBACF6A16EADBAB6C0ABD2A4A7B74EB8712E646F63> 論 史 記 五 帝 本 紀 首 黃 帝 之 意 義 林 立 仁 明 志 科 技 大 學 通 識 教 育 中 心 副 教 授 摘 要 太 史 公 司 馬 遷 承 父 著 史 遺 志, 並 以 身 膺 五 百 年 大 運, 上 繼 孔 子 春 秋 之 史 學 文 化 道 統 為 其 職 志, 著 史 記 欲 達 究 天 人 之 際, 通 古 今 之 變, 成 一 家 之 言 之 境 界 然 史 記 百

More information

Building Technology Experience Center concept air conditioning concept heat pump special energy-saving techniques in hydraulics Concrete core conditio

Building Technology Experience Center concept air conditioning concept heat pump special energy-saving techniques in hydraulics Concrete core conditio Building Technology Experience Center concept air conditioning concept heat pump special energy-saving techniques in hydraulics Concrete core conditioning Initial situation Passive House Technology Experience

More information

HC50246_2009

HC50246_2009 Page: 1 of 7 Date: June 2, 2009 WINMATE COMMUNICATION INC. 9 F, NO. 111-6, SHING-DE RD., SAN-CHUNG CITY, TAIPEI, TAIWAN, R.O.C. The following merchandise was submitted and identified by the vendor as:

More information

數學導論 學數學 前言 學 學 數學 學 數學. 學數學 論. 學,. (Logic), (Set) 數 (Function)., 學 論. 論 學 數學.,,.,.,., 論,.,. v Chapter 1 Basic Logic 學 數學 學 言., logic. 學 學,, 學., 學 數學. 數學 論 statement. 2 > 0 statement, 3 < 2 statement

More information

Lecture #4: Several notes 1. Recommend this book, see Chap and 3 for the basics about Matlab. [1] S. C. Chapra, Applied Numerical Methods with MATLAB

Lecture #4: Several notes 1. Recommend this book, see Chap and 3 for the basics about Matlab. [1] S. C. Chapra, Applied Numerical Methods with MATLAB Chapter Lecture #4: Several notes 1. Recommend this book, see Chap and 3 for the basics about Matlab. [1] S. C. Chapra, Applied Numerical Methods with MATLAB for Engineers and Scientists. New York: McGraw-Hill,

More information

Microsoft PowerPoint - ch6 [相容模式]

Microsoft PowerPoint - ch6 [相容模式] UiBinder wzyang@asia.edu.tw UiBinder Java GWT UiBinder XML UI i18n (widget) 1 2 UiBinder HelloWidget.ui.xml: UI HelloWidgetBinder HelloWidget.java XML UI Owner class ( Composite ) UI XML UiBinder: Owner

More information

untitled

untitled I Abstract Abstract Kendzaburo Oa and Mo Yan are the writers from Japan and China who have great literature influence and strongly hometown sick in their creations. There are many places that communicate

More information

SuperMap 系列产品介绍

SuperMap 系列产品介绍 wuzhihong@scu.edu.cn 3 / 1 / 16 / John M. Yarbrough: Digital Logic Applications and Design + + 30% 70% 1 CHAPTER 1 Digital Concepts and Number Systems 1.1 Digital and Analog: Basic Concepts P1 1.1 1.1

More information

從詩歌的鑒賞談生命價值的建構

從詩歌的鑒賞談生命價值的建構 Viktor E. Frankl (logotherapy) (will-to-meaning) (creative values) Ture (Good) (Beauty) (experiential values) (attitudinal values) 1 2 (logotherapy) (biological) (2) (psychological) (3) (noölogical) (4)

More information

Trigonometric identities

Trigonometric identities Trigonometric Identities Peggy Adamson Mathematics Learning Centre University of Sydney NSW 006 c 986 University of Sydney Contents Introduction. How to use this book..... Introduction......3 Objectives.......4

More information

<4D6963726F736F667420576F7264202D203338B4C12D42A448A4E5C3C0B34EC3FE2DAB65ABE1>

<4D6963726F736F667420576F7264202D203338B4C12D42A448A4E5C3C0B34EC3FE2DAB65ABE1> ϲ ฯ र ቑ ጯ 高雄師大學報 2015, 38, 63-93 高雄港港史館歷史變遷之研究 李文環 1 楊晴惠 2 摘 要 古老的建築物往往承載許多回憶 也能追溯某些歷史發展的軌跡 位於高雄市蓬 萊路三號 現為高雄港港史館的紅磚式建築 在高雄港三號碼頭作業區旁的一片倉庫 群中 格外搶眼 這棟建築建成於西元 1917 年 至今已將近百年 不僅躲過二戰戰 火無情轟炸 並保存至今 十分可貴 本文透過歷史考證

More information

coverage2.ppt

coverage2.ppt Satellite Tool Kit STK/Coverage STK 82 0715 010-68745117 1 Coverage Definition Figure of Merit 2 STK Basic Grid Assets Interval Description 3 Grid Global Latitude Bounds Longitude Lines Custom Regions

More information

2015 Chinese FL Written examination

2015 Chinese FL Written examination Victorian Certificate of Education 2015 SUPERVISOR TO ATTACH PROCESSING LABEL HERE Letter STUDENT NUMBER CHINESE FIRST LANGUAGE Written examination Monday 16 November 2015 Reading time: 11.45 am to 12.00

More information

GCSE Mathematics Question Paper Unit 2 March 2012

GCSE Mathematics Question Paper Unit 2 March 2012 Centre Number Surname Candidate Number For Examiner s Use Other Names Candidate Signature Examiner s Initials General Certificate of Secondary Education Higher Tier March 2012 Pages 2 3 4 5 Mark Mathematics

More information

2009 Japanese First Language Written examination

2009 Japanese First Language Written examination Victorian Certificate of Education 2009 SUPERVISOR TO ATTACH PROCESSING LABEL HERE STUDENT NUMBER Letter Figures Words JAPANESE FIRST LANGUAGE Written examination Monday 16 November 2009 Reading time:

More information

10384 19020101152519 UDC Rayleigh Quasi-Rayleigh Method for computing eigenvalues of symmetric tensors 2 0 1 3 2 0 1 3 2 0 1 3 2013 , 1. 2. [4], [27].,. [6] E- ; [7], Z-. [15]. Ramara G. kolda [1, 2],

More information

Microsoft Word - Final Exam Review Packet.docx

Microsoft Word - Final Exam Review Packet.docx Do you know these words?... 3.1 3.5 Can you do the following?... Ask for and say the date. Use the adverbial of time correctly. Use Use to ask a tag question. Form a yes/no question with the verb / not

More information

2010 Japanese First Language Written examination

2010 Japanese First Language Written examination Victorian Certificate of Education 2010 SUPERVISOR TO ATTACH PROCESSING LABEL HERE STUDENT NUMBER Letter Figures Words JAPANESE FIRST LANGUAGE Written examination Monday 15 November 2010 Reading time:

More information

Microsoft Word - 論文封面-980103修.doc

Microsoft Word - 論文封面-980103修.doc 淡 江 大 學 中 國 文 學 學 系 碩 士 在 職 專 班 碩 士 論 文 指 導 教 授 : 呂 正 惠 蘇 敏 逸 博 士 博 士 倚 天 屠 龍 記 愛 情 敘 事 之 研 究 研 究 生 : 陳 麗 淑 撰 中 華 民 國 98 年 1 月 淡 江 大 學 研 究 生 中 文 論 文 提 要 論 文 名 稱 : 倚 天 屠 龍 記 愛 情 敘 事 之 研 究 頁 數 :128 校 系 (

More information

m m m ~ mm

m m m ~ mm 2011 10 10 157 JOURNAL OF RAILWAY ENGINEERING SOCIETY Oct 2011 NO. 10 Ser. 157 1006-2106 2011 10-0007 - 0124-05 710043 6 TBM TBM U455. 43 A Structural Calculation and Analysis of Transfer Node of Three

More information

Recently, various techniques of solution generating transformations in SUGRA are developed. Usually, Solution of SUGRA Yang-Baxter deformation or Non-Abelian T-duality Solution of massive IIA SUGRA Solution

More information

Fuzzy Highlight.ppt

Fuzzy Highlight.ppt Fuzzy Highlight high light Openfind O(kn) n k O(nm) m Knuth O(n) m Knuth Unix grep regular expression exact match Yahoo agrep fuzzy match Gais agrep Openfind gais exact match fuzzy match fuzzy match O(kn)

More information

➀ ➁ ➂ ➃ ➄ ➅ ➆ ➇ ➈ ➉ Lecture on Stochastic Processes (by Lijun Bo) 2

➀ ➁ ➂ ➃ ➄ ➅ ➆ ➇ ➈ ➉ Lecture on Stochastic Processes (by Lijun Bo) 2 Stochastic Processes stoprocess@yahoo.com.cn 111111 ➀ ➁ ➂ ➃ ➄ ➅ ➆ ➇ ➈ ➉ Lecture on Stochastic Processes (by Lijun Bo) 2 : Stochastic Processes? (Ω, F, P), I t I, X t (Ω, F, P), X = {X t, t I}, X t (ω)

More information

Chinese Journal of Applied Probability and Statistics Vol.25 No.4 Aug (,, ;,, ) (,, ) 应用概率统计 版权所有, Zhang (2002). λ q(t)

Chinese Journal of Applied Probability and Statistics Vol.25 No.4 Aug (,, ;,, ) (,, ) 应用概率统计 版权所有, Zhang (2002). λ q(t) 2009 8 Chinese Journal of Applied Probability and Statistics Vol.25 No.4 Aug. 2009,, 541004;,, 100124),, 100190), Zhang 2002). λ qt), Kolmogorov-Smirov, Berk and Jones 1979). λ qt).,,, λ qt),. λ qt) 1,.

More information

國立桃園高中96學年度新生始業輔導新生手冊目錄

國立桃園高中96學年度新生始業輔導新生手冊目錄 彰 化 考 區 104 年 國 中 教 育 會 考 簡 章 簡 章 核 定 文 號 : 彰 化 縣 政 府 104 年 01 月 27 日 府 教 學 字 第 1040027611 號 函 中 華 民 國 104 年 2 月 9 日 彰 化 考 區 104 年 國 中 教 育 會 考 試 務 會 編 印 主 辦 學 校 : 國 立 鹿 港 高 級 中 學 地 址 :50546 彰 化 縣 鹿 港 鎮

More information

<4D6963726F736F667420576F7264202D20B5DAC8FDB7BDBE57C9CFD6A7B8B6D6AEB7A8C2C98696EE7DCCBDBEBF2E646F63>

<4D6963726F736F667420576F7264202D20B5DAC8FDB7BDBE57C9CFD6A7B8B6D6AEB7A8C2C98696EE7DCCBDBEBF2E646F63> 題 目 : 第 三 方 網 上 支 付 之 法 律 問 題 探 究 Title:A study on legal issues of the third-party online payment 姓 名 Name 學 號 Student No. 學 院 Faculty 課 程 Program 專 業 Major 指 導 老 師 Supervisor 日 期 Date : 王 子 瑜 : 1209853J-LJ20-0021

More information

Microsoft Word - template.doc

Microsoft Word - template.doc HGC efax Service User Guide I. Getting Started Page 1 II. Fax Forward Page 2 4 III. Web Viewing Page 5 7 IV. General Management Page 8 12 V. Help Desk Page 13 VI. Logout Page 13 Page 0 I. Getting Started

More information

% % 34

% % 34 * 2000 2005 1% 1% 1% 1% * VZDA2010-15 33 2011. 3 2009 2009 2004 2008 1982 1990 2000 2005 1% 1 1 2005 1% 34 2000 2005 1% 35 2011. 3 2000 0. 95 20-30 209592 70982 33. 9% 2005 1% 258 20-30 372301 115483 31.

More information

普通高等学校本科专业设置管理规定

普通高等学校本科专业设置管理规定 普 通 高 等 学 校 本 科 专 业 设 置 申 请 表 ( 备 案 专 业 适 用 ) 学 校 名 称 ( 盖 章 ): 学 校 主 管 部 门 : 专 业 名 称 : 浙 江 外 国 语 学 院 浙 江 省 教 育 厅 金 融 工 程 专 业 代 码 : 020302 所 属 学 科 门 类 及 专 业 类 : 金 融 学 / 金 融 工 程 类 学 位 授 予 门 类 : 修 业 年 限 :

More information

Thesis for the Master degree in Engineering Research on Negative Pressure Wave Simulation and Signal Processing of Fluid-Conveying Pipeline Leak Candi

Thesis for the Master degree in Engineering Research on Negative Pressure Wave Simulation and Signal Processing of Fluid-Conveying Pipeline Leak Candi U17 10220 UDC624 Thesis for the Master degree in Engineering Research on Negative Pressure Wave Simulation and Signal Processing of Fluid-Conveying Pipeline Leak Candidate:Chen Hao Tutor: Xue Jinghong

More information

東吳大學

東吳大學 律 律 論 論 療 行 The Study on Medical Practice and Coercion 林 年 律 律 論 論 療 行 The Study on Medical Practice and Coercion 林 年 i 讀 臨 療 留 館 讀 臨 律 六 礪 讀 不 冷 療 臨 年 裡 歷 練 禮 更 老 林 了 更 臨 不 吝 麗 老 劉 老 論 諸 見 了 年 金 歷 了 年

More information

<4D6963726F736F667420576F7264202D20312E5FA473AEFCB867AED5AA605FBB50B04BCFC8AABAAFABB8DCACE3A8732E646F63>

<4D6963726F736F667420576F7264202D20312E5FA473AEFCB867AED5AA605FBB50B04BCFC8AABAAFABB8DCACE3A8732E646F63> 國 立 臺 南 大 學 人 文 與 社 會 研 究 學 報 第 44 卷 第 2 期 ( 民 國 99.10):1-24 山 海 經 校 注 與 袁 珂 的 神 話 研 究 鍾 佩 衿 國 立 政 治 大 學 中 文 研 究 所 碩 士 生 摘 要 作 為 中 國 神 話 研 究 的 重 要 學 者, 袁 珂 的 研 究 重 心 即 在 於 對 山 海 經 神 話 進 行 詮 釋 與 探 討 ; 研

More information

Microsoft PowerPoint - STU_EC_Ch08.ppt

Microsoft PowerPoint - STU_EC_Ch08.ppt 樹德科技大學資訊工程系 Chapter 8: Counters Shi-Huang Chen Fall 2010 1 Outline Asynchronous Counter Operation Synchronous Counter Operation Up/Down Synchronous Counters Design of Synchronous Counters Cascaded Counters

More information

一 機 械 系 工 學 院 台 大 訊 息 1. 臺 大 鑽 石 種 子 基 金 (2015.5.8) 台 大 機 械 系 范 士 岡 副 教 授 率 領 兩 組 團 隊 各 獲 獎 金 50 萬 元 系 友 會 強 力 推 薦 的 臺 大 鑽 石 種 子 基 金 舉 辦 第 一 屆 臺 大 種 子

一 機 械 系 工 學 院 台 大 訊 息 1. 臺 大 鑽 石 種 子 基 金 (2015.5.8) 台 大 機 械 系 范 士 岡 副 教 授 率 領 兩 組 團 隊 各 獲 獎 金 50 萬 元 系 友 會 強 力 推 薦 的 臺 大 鑽 石 種 子 基 金 舉 辦 第 一 屆 臺 大 種 子 國 立 臺 灣 大 學 機 械 工 程 系 系 友 會 NTU@ME 月 報 2015 年 5 月 重 點 摘 要 : 一 機 械 系 工 學 院 台 大 工 研 院 訊 息 1. 機 械 系 兩 組 團 隊 已 獲 臺 大 鑽 石 種 子 基 金 獎 金 各 50 萬 元, 該 基 金 今 年 將 再 頒 發 至 少 80 組 獎 金 每 組 50 萬 元, 請 系 友 把 握 機 會 (p.2)

More information

近代物理

近代物理 Ch6. Quantum Theory of the Hydrogen Atom Introduction 1945 Schrodinger Schrodinger equation : If only I knew more mathematics wave function analytical solution Schrodinger Equation for the Hydrogen Atom

More information

untitled

untitled LBS Research and Application of Location Information Management Technology in LBS TP319 10290 UDC LBS Research and Application of Location Information Management Technology in LBS , LBS PDA LBS

More information

经 济 与 管 理 耿 庆 峰 : 我 国 创 业 板 市 场 与 中 小 板 市 场 动 态 相 关 性 实 证 研 究 基 于 方 法 比 较 视 角 87 Copula 模 型 均 能 较 好 地 刻 画 金 融 市 场 间 的 动 态 关 系, 但 Copula 模 型 效 果 要 好 于

经 济 与 管 理 耿 庆 峰 : 我 国 创 业 板 市 场 与 中 小 板 市 场 动 态 相 关 性 实 证 研 究 基 于 方 法 比 较 视 角 87 Copula 模 型 均 能 较 好 地 刻 画 金 融 市 场 间 的 动 态 关 系, 但 Copula 模 型 效 果 要 好 于 第 19 卷 第 6 期 中 南 大 学 学 报 ( 社 会 科 学 版 ) Vol.19 No.6 013 年 1 月 J. CENT. SOUTH UNIV. (SOCIAL SCIENCE) Dec. 013 我 国 创 业 板 市 场 与 中 小 板 市 场 动 态 相 关 性 实 证 研 究 基 于 方 法 比 较 视 角 耿 庆 峰 ( 闽 江 学 院 公 共 经 济 学 与 金 融 学

More information

,,,,,,, (19 1 ),,,,,,,,,,,,,,,,,,,,,,,,, ;,,,,,,,,,,, (pseudo - contract), 3,,,,,,,,,,,,,,,,,,,,,,,,,,? ( ),,, 3 Cf. Carol Harlow & Rechard Rawlings,

,,,,,,, (19 1 ),,,,,,,,,,,,,,,,,,,,,,,,, ;,,,,,,,,,,, (pseudo - contract), 3,,,,,,,,,,,,,,,,,,,,,,,,,,? ( ),,, 3 Cf. Carol Harlow & Rechard Rawlings, Ξ :,,,,, :,,,,,,, 19,20,,,,,,,, 1,,,, 2 Ξ 1 Cf. Carol Harlow & Rechard Rawlings, Law and Administration, Butterworths, 1997, p. 207. 2 Cf. Carol Harlow & Rechard Rawlings, op. cit., p. 139. 52 ,,,,,,,

More information

PowerPoint Presentation

PowerPoint Presentation Stress and Equilibrium mi@seu.edu.cn Outline Bod and Surface Forces( 体力与面力 ) raction/stress Vector( 应力矢量 ) Stress ensor ( 应力张量 ) raction on Oblique Planes( 斜面上的应力 ) Principal Stresses and Directions( 主应力与主方向

More information

Microsoft Word - 武術合併

Microsoft Word - 武術合併 11/13 醫 學 系 一 年 級 張 雲 筑 武 術 課 開 始, 老 師 並 不 急 著 帶 我 們 舞 弄 起 來, 而 是 解 說 著 支 配 氣 的 流 動 為 何 構 成 中 國 武 術 的 追 求 目 標 武 術, 名 之 為 武 恐 怕 與 其 原 本 的 精 義 有 所 偏 差 其 實 武 術 是 為 了 讓 學 習 者 能 夠 掌 握 身 體, 保 養 身 體 而 發 展, 並

More information

徐汇教育214/3月刊 重 点 关 注 高中生异性交往的小团体辅导 及效果研究 颜静红 摘 要 采用人际关系综合诊断量表 郑日昌编制并 与同性交往所不能带来的好处 带来稳定感和安全感 能 修订 对我校高一学生进行问卷测量 实验组前后测 在 够度过更快乐的时光 获得与别人友好相处的经验 宽容 量表总分和第 4 项因子分 异性交往困扰 上均有显著差 大度和理解力得到发展 得到掌握社会技术的机会 得到 异

More information

2 g g g g g g g

2 g g g g g g g pjt@cis cis.pku.edu.cn 2 2224 2003-09 09-10 2 g g g g g g g 3 4 5 1.1 ; ;, \ \ \ \ ; ; 1.1 6 1.1 7 No illumination Constant colors Polygons Parallel light Diffuse reflection Free-form surfaces 1.1 Parallel

More information

,,.,..., NURBS. : 2, B PDE. 3, PDE B., PDE. 2, Laplace-Beltrami Giaquinta-Hildebrandt. B PDE [1]). S = {x(u 1, u 2 ) R 3 : (u 1, u 2 ) D R 2 } g αβ =

,,.,..., NURBS. : 2, B PDE. 3, PDE B., PDE. 2, Laplace-Beltrami Giaquinta-Hildebrandt. B PDE [1]). S = {x(u 1, u 2 ) R 3 : (u 1, u 2 ) D R 2 } g αβ = G 1 B 1, 1 ( 1 LSEC,,,, 100190) B. Laplace-Beltrami Giaquinta-Hildebrandt, G 1 B. G 1. : B,,,. : TP391.7 :A 1, Bloor Wilson[3] (PDE),,., PDE., (MCF) PDE, ( [2, 7, 14])., MCF G 1, PDE( [6, 19, 22]),., B.

More information

问 她! 我 们 把 这 只 手 机 举 起 来 借 着 它 的 光 看 到 了 我 老 婆 正 睁 着 双 眼 你 在 干 什 么 我 问, 我 开 始 想 她 至 少 是 闭 着 眼 睛 在 yun 酿 睡 意 的 我 睡 不 着 她 很 无 辜 地 看 着 我 我 问 她 yun 酿 的 yu

问 她! 我 们 把 这 只 手 机 举 起 来 借 着 它 的 光 看 到 了 我 老 婆 正 睁 着 双 眼 你 在 干 什 么 我 问, 我 开 始 想 她 至 少 是 闭 着 眼 睛 在 yun 酿 睡 意 的 我 睡 不 着 她 很 无 辜 地 看 着 我 我 问 她 yun 酿 的 yu 果 皮 云 写 作 NO.6: 响 水 不 滚 滚 水 不 响 时 间 :2011 年 12 月 25 日 主 编 : 乌 青 作 者 : 秦 留, 新 a, 伊 文 达, 乌 青, 张 墩 墩, 娜 娜, 女 斑 马 王, 马 其 顿 荒 原, 尼 码, 萨 尔 卡, 傀 儡 尫 仔, 东 成, 二 天, 老 马 迷 途, 曾 骞, 郑 在, 柚 子, 以 下 简 称 刘 某, 大 棋, 张 维,

More information

Microsoft Word - 2011.12電子報x

Microsoft Word - 2011.12電子報x 出 刊 日 期 2011 年 12 月 1 日, 第 69 期 第 1 頁 / 共 16 頁 本 期 搶 先 報 主 題 故 事 主 題 故 事 第 十 屆 校 慶 運 葳 格 高 中 校 長 張 光 銘 履 新, 創 辦 人 率 體 系 師 生 盛 大 茶 會 歡 迎 動 會 盛 大 登 場 生 日 快 樂! 葳 格 中 小 學 第 十 屆 校 慶 運 動 會 盛 大 登 場 校 園 新 鮮 事

More information