Monte Carlo Methods. Matt Davison May University of Verona Italy

Size: px
Start display at page:

Download "Monte Carlo Methods. Matt Davison May University of Verona Italy"

Transcription

1 Monte Carlo Methods Matt Davison May University of Verona Italy

2 Big question 1 How can I convince myself that Delta Hedging a Geometric Brownian Motion stock really works with no transaction costs? What are the impact of transaction costs? What is the impact of changing the model from GBM?

3 Big insights What s a good way to do quadrature in high dimensions? How do stochastic differential equations really work?

4 All of these questions Can be contributed to by the study of simulation methods. We will begin our story with a very simple problem, however.

5 Simple case study You are a life insurance provider You have written (very simple) term life insurance policies on 1000 very similar people (75 year old non smoking men, say) The policy pays $100,000 if the policy holder dies in the next year, otherwise nothing. Your actuaries tell you that the probability of this happening, for a given insured man, is 5%.

6 What insurance do you charge? So the insurance you charge is: 5.5% x $100,000 = $5500 5% covers expected loss, 0.5% is partly a profit and partly to cover risk. What risk do you have?

7 Let s simulate Let s simulate what happens. There are statistical short cuts to make this simpler, but let s just go really naïve: For each of 1000 men, we generate a random variable that with probability p = 5% is 1, and with probability 1 p = 95% is 0. (a Bernoulli random variable). It is easy to do this even in Excel, but easier to If we do this, once, we get 39 deaths

8 That is good, right? We sold 1000 policies for $5500 each That s $5.5 million We had to pay out 39 times, $100,000 each time That s $3.9MM Profit is $1.6MM What a great business! Where do I sign up?

9 But that was just one run That was just one run. We know that on average we should have 50 deaths. This time we had fewer than 50 which is good, but perhaps we might have more than 50? So let s run the simulation 100 times. We get:

10 Matlab code function Y = failure(n,m,p) % Returns an N x m matrix of iid Bernoulli(p) draws X = rand(n,m); Y = zeros(n,m); for i = 1: N for j = 1:m if X(i,j) < p Y(i,j) = 1; end end end

11 Sampled 100 times

12 Summary Stats This is 100 realizations of claims on next year s insurance book The maximum number of claims was 67 (which would have us lose $1.2 MM why?) The minimum number of claims was 32 The mean number of claims was 48.3 And the median number of claims was 48 8/100 realizations had more than 60 claims

13 What to make of this 17 of the 100 realizations had > 55 claims (so lost money 8 of 100 had > 60 claims 3 of 100 had > 65 claims (so lost > $1MM).

14 How to reduce risk? What if we sold 10,000 $10,000 policies instead of 1000 $100,000 policies? So run our failure(n,m,p) code again but with N = 10,000 (m = 100, p = 0.05) Then Y = failure(10000,100,0.05) z = sum(y) (so z is a 100 element vector) Then max(z),min(z), mean(z), median(z) etc for summary stats, hist(z) for histogram

15 New histogram

16 Some conclusions Here we are making money if we have < 550 claims Sales = x 10,000 policies x $10,000 per policy = $5.5 million (same as last time) Payouts = claims x $10,000 The max number of claims in 100 runs was 555, for a loss of $50,000, not too bad.

17 Business discussion If you change the size of the policies like this can you still sell the same number? Will it be to the same type of people? If you want to scale the business up, (i.e, sell 10,000 $100,000 policies) can you afford to? How much capital do you need? How can you protect against your loss?

18 Reinsurance Maybe stick with 1000, $100,000 policies but protect against risk by buying a reinsurance contract that covers all claims above some threshold. (NB: in real life often only say 90%, why?) So the reinsurance policy pays 0.9* $100,000 *Max(z-thresh,0) Where z is the number of claims made.

19 Some code function [q,l] = insurance(l,n,m,p,thresh) % Constructs two L vectors. q gives, for each trial, the number of exceedances of % thresh claims in m trials of a book of N policies, prob (claim) = p. % l gives the total number of claims exceeding thresh for each trial for i = 1:L Y= failure(n,m,p); z = sum(y); q(i) = 0; l(i) = 0; for k = 1:m if z(k) > thresh q(i) = q(i) + 1; l(i) = l(i) + z(k) - thresh; end end end

20 Running this [q,l] = insurance(5,1000,100,0.05,60) q = l = So this means that in the first run, 3 of 100 years had exceedances of 60 claims, and the total exceeded sum over 60 claims was 27 The average of l over a big enough run should price the reinsurance contract.

21 Reinsurance >> [q,l] = insurance(500,1000,100,0.05,60); >> mean(l) ans = This means that the expected number of claims over 60 in 100 trials is about 26. Note that mean(q) = 6.772, (of 100 trials) so the reinsurance contract only pays off about 6.8% of the time, and when it does it covers claims above 60. Each claim is worth $100,000. I estimate that the reinsurance contact should be worth 0.05% of the total book of business (100 million). So $50,000.

22 What if we increase the strike >> [q,l] = insurance(500,1000,100,0.05,65); >> mean(l) = (note max(l) = 26, min(l) = 0) So total payout is x 100,000 = 4500 per year. >> mean(q) =1.4620, max(q) = 5, min(q) = 0). Reinsurance only pays out about 1.5% of the time >> mean(l)/mean(q) = (This contract is much cheaper than before) When it does pay out it pays for about 3.14 claims.

23 Test If thresh = 30, we should the reinsurance contract is mostly like the insurance contract except it is paying only for after 30. >> [q,l] = insurance(5,1000,100,0.05,30) q = l =

24 Purpose of Simulation For calculation But also for idea generation To reinforce the idea that the average behaviour is not the only thing that matters Have to watch max and min as well.

25 We will discuss: In Matlab there is a rand() function that generates U(0,1) variables. From that we can generate other variables as required. How does rand work? When have you done enough simulations? We begin with the when is enough question as it is the most important.

26 How much work do you need to do to find an unfair die? Let s simulate rolling a regular 6 sided die We are equally likely to roll 1,2,3,4,5 or 6. What is the average roll? Of course we can work this out by hand and pretty quickly arrive at 3.5, but let s see what the simulations tell us.

27 Results Group Avg (10 sim rolls) Avg (100 sim rolls) Avg 1000 sim rolls) Average STD

28 Take home lessons The simulation isn t the same as the analytic answer even when we do 10 groups of 1000 simulations (10,000 simulations) But it is getting pretty close (It gets better with N here, but not always). The Std Dev measure of how far the average is from where it should be seems to be scaling slower than linear.

29 Theory Suppose X 1, X 2, X N are identically distributed random variables with finite mean µ and finite variance V independent. Write X = (1/N)(X 1 + X X N ) E(X) = (1/N)(µ + µ + + µ) = (1/N)(Nµ) = µ Var(X) = (1/N 2 )(V + V + V) = (1/N 2 )(NV) = V/N This suggests that the standard deviation of the estimator scales as (1/ N)

30 Even simple simulations have uses What if a die is loaded to be much more likely to roll a six (25% likely; 15% likely to turn up on the other five faces) Mean is then 0.25* *( ) = *15 = = 3.75 If we simulate rolling that die as before we get the following outcomes: check to see if you could convince yourself they were different from 3.5, the mean of a fair die.

31 Stats for biased die Group Avg (10s) Avg (100s) Avg (1000s) Average STD

32 Conclusions? After 10 or even 100 rolls it will be very hard to conclude it has been tampered with even it if has been with 1000 rolls it starts to be evident with 10,000 a near certainty. This sort of quick and dirty calculation is very good for determining the answer to tricky statistics problems And for convincing your managers that they are correct.

33 How do we do it? We need to find a way to simulate IID random numbers The typical route is by first simulating random variables that are equally likely to return any number between 0 and 1 These are so called U(0,1) random variables Then we study how to use transformations of (sets of) U(0,1) r.v.s to simulate any type of r.v we want.

34 Simulating U(0,1) random variables What I m about to share with you seems strange at first But it does appear to (empirically) work. The idea is that we will create a stream of random numbers using a deterministic computer. In fact, this will be a big advantage for running our experiments. First let s do some theory

35 A detour into Chaos theory In the 1980s a subject called Chaos theory was all the rage for about a decade. One of the ideas of chaos theory was that simple deterministic maps could create complicated, and random looking, dynamics. The (often unjustified) corollary what that complicated and random looking behaviours had simple causes that could be discovered. This rarely turned out to be the case. But lots of nice math was discovered, or rediscovered.

36 Discrete Maps One sub-field of chaos theory was Discrete Maps These were maps X n+1 = S(X n ) of the real line, or some subset (say [0,1]) of the real line into itself. These maps would be iterated and the result would be a sequence with full deterministic, but very interesting, properties.

37 Shift maps X n+1 = (rx n )mod 1 This maps [0,1) into [0,1). In fact a fixed point of the map is 0, so let s just consider mapping (0,1) into (0,1) The next slide depicts this for r = 4. The mapping is many to one Binary shift map: r = 2 Decimal shift map: r = 10

38 Shift Map (4x)mod

39 Shift maps and SDIC Shift maps display sensitive dependence on initial conditions Under the r = 10 decimal shift map, the initial points X0 = and Y0 = Get shifted to and and and 0.779, 0.70 and 0.79, then 0 and 9.

40 Mapping densities under discrete maps Let s return to the general setup for a minute X n+1 = S(X n ), is a map from X to X. If X is a subset of R n, then we can associate to the (nonlinear) map F a (linear) map called the Perron-Frobenius operators. (This is a functional map so is infinite dimensional, so what we gain in linearity we lose in dimensionality).

41 Density Maps (II) Now let A be a subset of X. Then A f n+1 (s)ds (= A Pf n (s)ds =) S-1(A) f n (s)ds This says that all the points mapped from time n to to time n+1, if they are in A at time n+1, must have been in the pre-image of A under S at time n.

42 Applied to the shift map So, if we are going to apply A Pf n (s)ds = S-1(A) f n (s)ds with X = (0,1), S(x) = (rx)mod1, and A = (0,x) then S -1 (0,x)= (0,x/r) U (1/r, (1+x)/r) U (2/r, (2+x)/r) U U( (r-1)/r, (r+x-1)/r) So 0x Pf n (s)ds = 0 x/r f n (s)ds + 1/r x+1/r f n (s)ds + + (r-1)/r (r+x -1)/r f n (s)ds

43 Solving the equation Differentiating both sides with respect to x yields the functional equation f n+1 (x)= Pf n (x) = 1/r [ f n (x/r) + f n ((x+1)/r) + f n ((r+x-1)/r)] (**) Note that f*(x) = on [0,1], 0 otherwise is a fixed point of this equation; the averaging inherent in (**) will drive initial functions to the uniform distribution.

44 Shift maps for generating random numbers. Motivated by this there has been much development of Linear Congruential Generators, or LCGs. Will just scratch the surface here. These are maps on positive integers that are very reminiscent of the shift maps we just discussed.

45 Largest class of LCGs x n = (ax n-1 + c) mod m Initialize the generator with a seed x 0. Example: x n = (5x n-1 + 3) mod 8, x 0 = 3. Then we get 2,5,4,7,6,1,0,3 Once it reachs x 8 = 3, the pattern simply repeats again.

46 Some features Period of the generator can be at most m-1 (there are only m-1 distinct positive natural numbers when we are working mod m), So, in practice, m should be very large. Of course the period of the generator could still be less than m. For so-called multiplicative generators (in which c = 0); x n = (ax n-1 ) mod m, we can say that:

47 Max Period theorem If m is prime, the multiplicative congruential generator x n = (ax n-1 ) mod m has maximal period m -1 iff (a i ) mod m 1 for all i = 1..m bit machines often use the Mersenne prime m = For this value of m many values of a, including 7,16807,39373, and many others Produce full period generators.

48 Getting from naturals to [0,1] Take numbers from {1,2, m-1}, add ½, divide by m. This guarantees numbers between 0 and 1 without actually generating 0 and 1. Much more work on the details of this; for example Pierre L Ecuyer in Montreal Canada

49 IID? These are however definitely not independent quite the opposite. But they look independent can fool many tests. (Also fail many sophisticated tests) The fact that they are dependent means you can generate the same sequence of random numbers over and over again by using the same seed ; this can be very useful.

50 Transforming U(0,1) numbers Most random numbers arising in financial applications are not U(0,1). Earlier today we talked about discrete distributions (fair or biased die rolls). Could also have exponential distributions, normal distributions, and many more. How do we transform U(0,1) numbers into numbers distributed another way?

51 Generating discrete RVs A big class of discrete RVs are the fair n sided die models. Of course our simulated dies need not be related to the platonic solids! These are easy to simulate from Uniforms: Rand(6) = ceiling(6*u(0,1),1) etc. This is how the fair dice rolls were done at the beginning of class.

52 Using inverse CDFs If F is an arbitrary cumulative distribution function and U is Uniform(0,1) then X = F -1 (U) has cumulative distribution function F(x). For instance the plot on the following page for the exponential distribution with parameter θ

53 Θ = 2

54 Generating exponentials The exponential distribution with parameter θ Has pdf f(x) = (1/θ)exp(-x/θ) x 0, = 0, x < 0. Thus F(x) = 1 exp(-x/θ), x 0. So F -1 (U) = -θln(1-u) This is equivalent to θln(u), since U and 1-U have the same distribution.

55 This is very easy to implement; even in Excel With θ = 2 and 100 points we already get a very nice Quantile-Quantile (QQ) plot of empirical vs. theoretical distribution See next slide

56 QQ plot for simulated exponentials

57 Simulating Normals As usual with normals the trick is to move into two dimensions (think of trick for solving showing the integral of the normal pdf is 1). If X and Y are jointly normal with correlation zero, then we can write r 2 = x 2 + y 2 tanθ = y/x Then R has pdf r exp(-r 2 /2) for r > 0 And Θ has pdf 1/2π for 0 < θ < 2π

58 Box-Muller Normal R 2 has exponential distribution with mean of 2 Θ is uniform on (0,2π) Then (X,Y) = ( R cos Θ, R sin Θ) are jointly exponential. R = (-2ln(U)) Θ = 2πV Where U and V are U(0,1) variables.

59 QQ plot (N=100, N(0,1)

60 Comments Not quite as good as the Exponential outcome. But the 100 points we used isn t very many.

61 Accept-Reject methods Working with inverse CDFs isn t always practical it may not be analytically tractable. Sometimes we use accept-reject. For example, what if we want to generate (x,y) points uniformly sampled from the region of the unit circle? First simulate (x,y) as two U(0,1) draws.

62 Reject step Then check to see if the point so generated lies inside the unit circle: If x 2 + y 2 1 keep the point, otherwise reject it. The points that remain are still uniformly distributed on the disc. This method is wasteful of points, though, keeping only π/4 of those generated. Also a (very inefficient) way of estimating π!

63 Accept-Reject tricks You want to draw the initial points from a region as close as possible to the final one. Then most points are used.

64 Bernoulli Sampling Take a minute to consider a very simple simulation. You have N draws of a Bernoulli(p) random variable, i.e. a random variable with value 1 a fraction p of the time, otherwise a value 0. Here N could be the number of loans granted, each of value X, and p the annual probability of default.

65

66 Monte Carlo Integration Suppose we want to solve 0 1 f(x)dx Sample x as uniform (0,1); x i = 1 N Then estimate with 1/N k=1 N f(x k ) This will converge at the rate 1/ N

67 On the other hand, if we use a trapezoid rule with N panels we ll get 0 1 f(x)dx = (1/2N) {[f(0) + f(1/n)] + [f(1/n) + f(2/n)] + + [f((n-1)/n) + f(1)] = (1/2N){f(0) + f(1)} + (1/N){f(1/N) + f(2/n) + + f ((N-1)/N)} The error in each panel here is order ½ h 2 f (z i ), where z * i is some point between (i-1)/n and i/n, and where h = 1/N. Add that up we have ½ N (1/N)2 *the average curvature of the function over [0,1]

68 MC wins in lots of dimensions The average curve is 1/N * biggest curvature value on each interval. So error = ½ avecurve *(1/N). This is faster than Monte Carlo, and we don t need to do any tech for it. In 2D, however, to get the same grid point coverage you need N 2 grid points; N for each direction. So the order of safety appears the same as Monte Carlo. Once we get to 3D we get third root convergence, which is slower for traditional quadrature than for MC..

69 Why? High dimensional spaces are big The Monte Carlo goes ahead and checks them all over the place at least.

70 Exercises Reproduce some stuff Use simulation to see how many trials one would need to do before consider a coin to be biased. The particular coin being considered here has p(heads) = 55%, p(tails) = 45%.

Lecture 17: More on Markov Decision Processes. Reinforcement learning

Lecture 17: More on Markov Decision Processes. Reinforcement learning Lecture 17: More on Markov Decision Processes. Reinforcement learning Learning a model: maximum likelihood Learning a value function directly Monte Carlo Temporal-difference (TD) learning COMP-424, Lecture

More information

ELEMENTS OF MONTE CARLO SIMULATION

ELEMENTS OF MONTE CARLO SIMULATION APPENDIX B ELEMENTS OF MONTE CARLO SIMULATION B. GENERAL CONCEPT The basic idea of Monte Carlo simulation is to create a series of experimental samples using a random number sequence. According to the

More information

CPSC 540: Machine Learning

CPSC 540: Machine Learning CPSC 540: Machine Learning Monte Carlo Methods Mark Schmidt University of British Columbia Winter 2019 Last Time: Markov Chains We can use Markov chains for density estimation, d p(x) = p(x 1 ) p(x }{{}

More information

Chapter 4: Commonly Used Distributions. Statistics for Engineers and Scientists Fourth Edition William Navidi

Chapter 4: Commonly Used Distributions. Statistics for Engineers and Scientists Fourth Edition William Navidi Chapter 4: Commonly Used Distributions Statistics for Engineers and Scientists Fourth Edition William Navidi 2014 by Education. This is proprietary material solely for authorized instructor use. Not authorized

More information

Probability. An intro for calculus students P= Figure 1: A normal integral

Probability. An intro for calculus students P= Figure 1: A normal integral Probability An intro for calculus students.8.6.4.2 P=.87 2 3 4 Figure : A normal integral Suppose we flip a coin 2 times; what is the probability that we get more than 2 heads? Suppose we roll a six-sided

More information

CPSC 540: Machine Learning

CPSC 540: Machine Learning CPSC 540: Machine Learning Monte Carlo Methods Mark Schmidt University of British Columbia Winter 2018 Last Time: Markov Chains We can use Markov chains for density estimation, p(x) = p(x 1 ) }{{} d p(x

More information

A useful modeling tricks.

A useful modeling tricks. .7 Joint models for more than two outcomes We saw that we could write joint models for a pair of variables by specifying the joint probabilities over all pairs of outcomes. In principal, we could do this

More information

Chapter 4 Continuous Random Variables and Probability Distributions

Chapter 4 Continuous Random Variables and Probability Distributions Chapter 4 Continuous Random Variables and Probability Distributions Part 2: More on Continuous Random Variables Section 4.5 Continuous Uniform Distribution Section 4.6 Normal Distribution 1 / 27 Continuous

More information

Business Statistics 41000: Probability 3

Business Statistics 41000: Probability 3 Business Statistics 41000: Probability 3 Drew D. Creal University of Chicago, Booth School of Business February 7 and 8, 2014 1 Class information Drew D. Creal Email: dcreal@chicagobooth.edu Office: 404

More information

Monte Carlo Methods for Uncertainty Quantification

Monte Carlo Methods for Uncertainty Quantification Monte Carlo Methods for Uncertainty Quantification Abdul-Lateef Haji-Ali Based on slides by: Mike Giles Mathematical Institute, University of Oxford Contemporary Numerical Techniques Haji-Ali (Oxford)

More information

EE266 Homework 5 Solutions

EE266 Homework 5 Solutions EE, Spring 15-1 Professor S. Lall EE Homework 5 Solutions 1. A refined inventory model. In this problem we consider an inventory model that is more refined than the one you ve seen in the lectures. The

More information

Financial Risk Forecasting Chapter 7 Simulation methods for VaR for options and bonds

Financial Risk Forecasting Chapter 7 Simulation methods for VaR for options and bonds Financial Risk Forecasting Chapter 7 Simulation methods for VaR for options and bonds Jon Danielsson 2017 London School of Economics To accompany Financial Risk Forecasting www.financialriskforecasting.com

More information

The following content is provided under a Creative Commons license. Your support

The following content is provided under a Creative Commons license. Your support MITOCW Recitation 6 The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high quality educational resources for free. To make

More information

Review for Final Exam Spring 2014 Jeremy Orloff and Jonathan Bloom

Review for Final Exam Spring 2014 Jeremy Orloff and Jonathan Bloom Review for Final Exam 18.05 Spring 2014 Jeremy Orloff and Jonathan Bloom THANK YOU!!!! JON!! PETER!! RUTHI!! ERIKA!! ALL OF YOU!!!! Probability Counting Sets Inclusion-exclusion principle Rule of product

More information

Slides for Risk Management

Slides for Risk Management Slides for Risk Management Introduction to the modeling of assets Groll Seminar für Finanzökonometrie Prof. Mittnik, PhD Groll (Seminar für Finanzökonometrie) Slides for Risk Management Prof. Mittnik,

More information

Chapter 4 Continuous Random Variables and Probability Distributions

Chapter 4 Continuous Random Variables and Probability Distributions Chapter 4 Continuous Random Variables and Probability Distributions Part 2: More on Continuous Random Variables Section 4.5 Continuous Uniform Distribution Section 4.6 Normal Distribution 1 / 28 One more

More information

Economics 2010c: Lecture 4 Precautionary Savings and Liquidity Constraints

Economics 2010c: Lecture 4 Precautionary Savings and Liquidity Constraints Economics 2010c: Lecture 4 Precautionary Savings and Liquidity Constraints David Laibson 9/11/2014 Outline: 1. Precautionary savings motives 2. Liquidity constraints 3. Application: Numerical solution

More information

10. Monte Carlo Methods

10. Monte Carlo Methods 10. Monte Carlo Methods 1. Introduction. Monte Carlo simulation is an important tool in computational finance. It may be used to evaluate portfolio management rules, to price options, to simulate hedging

More information

Reinforcement Learning. Slides based on those used in Berkeley's AI class taught by Dan Klein

Reinforcement Learning. Slides based on those used in Berkeley's AI class taught by Dan Klein Reinforcement Learning Slides based on those used in Berkeley's AI class taught by Dan Klein Reinforcement Learning Basic idea: Receive feedback in the form of rewards Agent s utility is defined by the

More information

4.3 Normal distribution

4.3 Normal distribution 43 Normal distribution Prof Tesler Math 186 Winter 216 Prof Tesler 43 Normal distribution Math 186 / Winter 216 1 / 4 Normal distribution aka Bell curve and Gaussian distribution The normal distribution

More information

Section 0: Introduction and Review of Basic Concepts

Section 0: Introduction and Review of Basic Concepts Section 0: Introduction and Review of Basic Concepts Carlos M. Carvalho The University of Texas McCombs School of Business mccombs.utexas.edu/faculty/carlos.carvalho/teaching 1 Getting Started Syllabus

More information

Central Limit Theorem, Joint Distributions Spring 2018

Central Limit Theorem, Joint Distributions Spring 2018 Central Limit Theorem, Joint Distributions 18.5 Spring 218.5.4.3.2.1-4 -3-2 -1 1 2 3 4 Exam next Wednesday Exam 1 on Wednesday March 7, regular room and time. Designed for 1 hour. You will have the full

More information

Monte Carlo and Empirical Methods for Stochastic Inference (MASM11/FMSN50)

Monte Carlo and Empirical Methods for Stochastic Inference (MASM11/FMSN50) Monte Carlo and Empirical Methods for Stochastic Inference (MASM11/FMSN50) Magnus Wiktorsson Centre for Mathematical Sciences Lund University, Sweden Lecture 2 Random number generation January 18, 2018

More information

Introduction to Algorithmic Trading Strategies Lecture 8

Introduction to Algorithmic Trading Strategies Lecture 8 Introduction to Algorithmic Trading Strategies Lecture 8 Risk Management Haksun Li haksun.li@numericalmethod.com www.numericalmethod.com Outline Value at Risk (VaR) Extreme Value Theory (EVT) References

More information

Corso di Identificazione dei Modelli e Analisi dei Dati

Corso di Identificazione dei Modelli e Analisi dei Dati Università degli Studi di Pavia Dipartimento di Ingegneria Industriale e dell Informazione Corso di Identificazione dei Modelli e Analisi dei Dati Central Limit Theorem and Law of Large Numbers Prof. Giuseppe

More information

Chapter 5. Sampling Distributions

Chapter 5. Sampling Distributions Lecture notes, Lang Wu, UBC 1 Chapter 5. Sampling Distributions 5.1. Introduction In statistical inference, we attempt to estimate an unknown population characteristic, such as the population mean, µ,

More information

Lecture outline. Monte Carlo Methods for Uncertainty Quantification. Importance Sampling. Importance Sampling

Lecture outline. Monte Carlo Methods for Uncertainty Quantification. Importance Sampling. Importance Sampling Lecture outline Monte Carlo Methods for Uncertainty Quantification Mike Giles Mathematical Institute, University of Oxford KU Leuven Summer School on Uncertainty Quantification Lecture 2: Variance reduction

More information

Basic Data Analysis. Stephen Turnbull Business Administration and Public Policy Lecture 4: May 2, Abstract

Basic Data Analysis. Stephen Turnbull Business Administration and Public Policy Lecture 4: May 2, Abstract Basic Data Analysis Stephen Turnbull Business Administration and Public Policy Lecture 4: May 2, 2013 Abstract Introduct the normal distribution. Introduce basic notions of uncertainty, probability, events,

More information

Market Volatility and Risk Proxies

Market Volatility and Risk Proxies Market Volatility and Risk Proxies... an introduction to the concepts 019 Gary R. Evans. This slide set by Gary R. Evans is licensed under a Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International

More information

Overview. Transformation method Rejection method. Monte Carlo vs ordinary methods. 1 Random numbers. 2 Monte Carlo integration.

Overview. Transformation method Rejection method. Monte Carlo vs ordinary methods. 1 Random numbers. 2 Monte Carlo integration. Overview 1 Random numbers Transformation method Rejection method 2 Monte Carlo integration Monte Carlo vs ordinary methods 3 Summary Transformation method Suppose X has probability distribution p X (x),

More information

Market Risk: FROM VALUE AT RISK TO STRESS TESTING. Agenda. Agenda (Cont.) Traditional Measures of Market Risk

Market Risk: FROM VALUE AT RISK TO STRESS TESTING. Agenda. Agenda (Cont.) Traditional Measures of Market Risk Market Risk: FROM VALUE AT RISK TO STRESS TESTING Agenda The Notional Amount Approach Price Sensitivity Measure for Derivatives Weakness of the Greek Measure Define Value at Risk 1 Day to VaR to 10 Day

More information

Normal distribution Approximating binomial distribution by normal 2.10 Central Limit Theorem

Normal distribution Approximating binomial distribution by normal 2.10 Central Limit Theorem 1.1.2 Normal distribution 1.1.3 Approimating binomial distribution by normal 2.1 Central Limit Theorem Prof. Tesler Math 283 Fall 216 Prof. Tesler 1.1.2-3, 2.1 Normal distribution Math 283 / Fall 216 1

More information

Section The Sampling Distribution of a Sample Mean

Section The Sampling Distribution of a Sample Mean Section 5.2 - The Sampling Distribution of a Sample Mean Statistics 104 Autumn 2004 Copyright c 2004 by Mark E. Irwin The Sampling Distribution of a Sample Mean Example: Quality control check of light

More information

6.041SC Probabilistic Systems Analysis and Applied Probability, Fall 2013 Transcript Lecture 23

6.041SC Probabilistic Systems Analysis and Applied Probability, Fall 2013 Transcript Lecture 23 6.041SC Probabilistic Systems Analysis and Applied Probability, Fall 2013 Transcript Lecture 23 The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare

More information

Chapter 2 Uncertainty Analysis and Sampling Techniques

Chapter 2 Uncertainty Analysis and Sampling Techniques Chapter 2 Uncertainty Analysis and Sampling Techniques The probabilistic or stochastic modeling (Fig. 2.) iterative loop in the stochastic optimization procedure (Fig..4 in Chap. ) involves:. Specifying

More information

Homework Assignments

Homework Assignments Homework Assignments Week 1 (p. 57) #4.1, 4., 4.3 Week (pp 58 6) #4.5, 4.6, 4.8(a), 4.13, 4.0, 4.6(b), 4.8, 4.31, 4.34 Week 3 (pp 15 19) #1.9, 1.1, 1.13, 1.15, 1.18 (pp 9 31) #.,.6,.9 Week 4 (pp 36 37)

More information

Chapter 5. Continuous Random Variables and Probability Distributions. 5.1 Continuous Random Variables

Chapter 5. Continuous Random Variables and Probability Distributions. 5.1 Continuous Random Variables Chapter 5 Continuous Random Variables and Probability Distributions 5.1 Continuous Random Variables 1 2CHAPTER 5. CONTINUOUS RANDOM VARIABLES AND PROBABILITY DISTRIBUTIONS Probability Distributions Probability

More information

Monte Carlo and Empirical Methods for Stochastic Inference (MASM11/FMS091)

Monte Carlo and Empirical Methods for Stochastic Inference (MASM11/FMS091) Monte Carlo and Empirical Methods for Stochastic Inference (MASM11/FMS091) Magnus Wiktorsson Centre for Mathematical Sciences Lund University, Sweden Lecture 3 Importance sampling January 27, 2015 M. Wiktorsson

More information

Problems from 9th edition of Probability and Statistical Inference by Hogg, Tanis and Zimmerman:

Problems from 9th edition of Probability and Statistical Inference by Hogg, Tanis and Zimmerman: Math 224 Fall 207 Homework 5 Drew Armstrong Problems from 9th edition of Probability and Statistical Inference by Hogg, Tanis and Zimmerman: Section 3., Exercises 3, 0. Section 3.3, Exercises 2, 3, 0,.

More information

Statistical Computing (36-350)

Statistical Computing (36-350) Statistical Computing (36-350) Lecture 14: Simulation I: Generating Random Variables Cosma Shalizi 14 October 2013 Agenda Base R commands The basic random-variable commands Transforming uniform random

More information

Practical Hedging: From Theory to Practice. OSU Financial Mathematics Seminar May 5, 2008

Practical Hedging: From Theory to Practice. OSU Financial Mathematics Seminar May 5, 2008 Practical Hedging: From Theory to Practice OSU Financial Mathematics Seminar May 5, 008 Background Dynamic replication is a risk management technique used to mitigate market risk We hope to spend a certain

More information

Final exam solutions

Final exam solutions EE365 Stochastic Control / MS&E251 Stochastic Decision Models Profs. S. Lall, S. Boyd June 5 6 or June 6 7, 2013 Final exam solutions This is a 24 hour take-home final. Please turn it in to one of the

More information

Hand and Spreadsheet Simulations

Hand and Spreadsheet Simulations 1 / 34 Hand and Spreadsheet Simulations Christos Alexopoulos and Dave Goldsman Georgia Institute of Technology, Atlanta, GA, USA 9/8/16 2 / 34 Outline 1 Stepping Through a Differential Equation 2 Monte

More information

Business Statistics 41000: Probability 4

Business Statistics 41000: Probability 4 Business Statistics 41000: Probability 4 Drew D. Creal University of Chicago, Booth School of Business February 14 and 15, 2014 1 Class information Drew D. Creal Email: dcreal@chicagobooth.edu Office:

More information

Simulation Wrap-up, Statistics COS 323

Simulation Wrap-up, Statistics COS 323 Simulation Wrap-up, Statistics COS 323 Today Simulation Re-cap Statistics Variance and confidence intervals for simulations Simulation wrap-up FYI: No class or office hours Thursday Simulation wrap-up

More information

ST440/550: Applied Bayesian Analysis. (5) Multi-parameter models - Summarizing the posterior

ST440/550: Applied Bayesian Analysis. (5) Multi-parameter models - Summarizing the posterior (5) Multi-parameter models - Summarizing the posterior Models with more than one parameter Thus far we have studied single-parameter models, but most analyses have several parameters For example, consider

More information

Martingales, Part II, with Exercise Due 9/21

Martingales, Part II, with Exercise Due 9/21 Econ. 487a Fall 1998 C.Sims Martingales, Part II, with Exercise Due 9/21 1. Brownian Motion A process {X t } is a Brownian Motion if and only if i. it is a martingale, ii. t is a continuous time parameter

More information

UQ, STAT2201, 2017, Lectures 3 and 4 Unit 3 Probability Distributions.

UQ, STAT2201, 2017, Lectures 3 and 4 Unit 3 Probability Distributions. UQ, STAT2201, 2017, Lectures 3 and 4 Unit 3 Probability Distributions. Random Variables 2 A random variable X is a numerical (integer, real, complex, vector etc.) summary of the outcome of the random experiment.

More information

5. In fact, any function of a random variable is also a random variable

5. In fact, any function of a random variable is also a random variable Random Variables - Class 11 October 14, 2012 Debdeep Pati 1 Random variables 1.1 Expectation of a function of a random variable 1. Expectation of a function of a random variable 2. We know E(X) = x xp(x)

More information

MFE/3F Questions Answer Key

MFE/3F Questions Answer Key MFE/3F Questions Download free full solutions from www.actuarialbrew.com, or purchase a hard copy from www.actexmadriver.com, or www.actuarialbookstore.com. Chapter 1 Put-Call Parity and Replication 1.01

More information

Module 4: Monte Carlo path simulation

Module 4: Monte Carlo path simulation Module 4: Monte Carlo path simulation Prof. Mike Giles mike.giles@maths.ox.ac.uk Oxford University Mathematical Institute Module 4: Monte Carlo p. 1 SDE Path Simulation In Module 2, looked at the case

More information

Commonly Used Distributions

Commonly Used Distributions Chapter 4: Commonly Used Distributions 1 Introduction Statistical inference involves drawing a sample from a population and analyzing the sample data to learn about the population. We often have some knowledge

More information

Unit 5: Sampling Distributions of Statistics

Unit 5: Sampling Distributions of Statistics Unit 5: Sampling Distributions of Statistics Statistics 571: Statistical Methods Ramón V. León 6/12/2004 Unit 5 - Stat 571 - Ramon V. Leon 1 Definitions and Key Concepts A sample statistic used to estimate

More information

Monte Carlo Methods (Estimators, On-policy/Off-policy Learning)

Monte Carlo Methods (Estimators, On-policy/Off-policy Learning) 1 / 24 Monte Carlo Methods (Estimators, On-policy/Off-policy Learning) Julie Nutini MLRG - Winter Term 2 January 24 th, 2017 2 / 24 Monte Carlo Methods Monte Carlo (MC) methods are learning methods, used

More information

Unit 5: Sampling Distributions of Statistics

Unit 5: Sampling Distributions of Statistics Unit 5: Sampling Distributions of Statistics Statistics 571: Statistical Methods Ramón V. León 6/12/2004 Unit 5 - Stat 571 - Ramon V. Leon 1 Definitions and Key Concepts A sample statistic used to estimate

More information

Math489/889 Stochastic Processes and Advanced Mathematical Finance Homework 5

Math489/889 Stochastic Processes and Advanced Mathematical Finance Homework 5 Math489/889 Stochastic Processes and Advanced Mathematical Finance Homework 5 Steve Dunbar Due Fri, October 9, 7. Calculate the m.g.f. of the random variable with uniform distribution on [, ] and then

More information

Rapid computation of prices and deltas of nth to default swaps in the Li Model

Rapid computation of prices and deltas of nth to default swaps in the Li Model Rapid computation of prices and deltas of nth to default swaps in the Li Model Mark Joshi, Dherminder Kainth QUARC RBS Group Risk Management Summary Basic description of an nth to default swap Introduction

More information

SYSM 6304 Risk and Decision Analysis Lecture 2: Fitting Distributions to Data

SYSM 6304 Risk and Decision Analysis Lecture 2: Fitting Distributions to Data SYSM 6304 Risk and Decision Analysis Lecture 2: Fitting Distributions to Data M. Vidyasagar Cecil & Ida Green Chair The University of Texas at Dallas Email: M.Vidyasagar@utdallas.edu September 5, 2015

More information

Descriptive Statistics (Devore Chapter One)

Descriptive Statistics (Devore Chapter One) Descriptive Statistics (Devore Chapter One) 1016-345-01 Probability and Statistics for Engineers Winter 2010-2011 Contents 0 Perspective 1 1 Pictorial and Tabular Descriptions of Data 2 1.1 Stem-and-Leaf

More information

History of Monte Carlo Method

History of Monte Carlo Method Monte Carlo Methods History of Monte Carlo Method Errors in Estimation and Two Important Questions for Monte Carlo Controlling Error A simple Monte Carlo simulation to approximate the value of pi could

More information

Year 0 $ (12.00) Year 1 $ (3.40) Year 5 $ Year 3 $ Year 4 $ Year 6 $ Year 7 $ 8.43 Year 8 $ 3.44 Year 9 $ (4.

Year 0 $ (12.00) Year 1 $ (3.40) Year 5 $ Year 3 $ Year 4 $ Year 6 $ Year 7 $ 8.43 Year 8 $ 3.44 Year 9 $ (4. Four Ways to do Project Analysis Project Analysis / Decision Making Engineering 9 Dr. Gregory Crawford Statistical / Regression Analysis (forecasting) Sensitivity Analysis Monte Carlo Simulations Decision

More information

Non-Deterministic Search

Non-Deterministic Search Non-Deterministic Search MDP s 1 Non-Deterministic Search How do you plan (search) when your actions might fail? In general case, how do you plan, when the actions have multiple possible outcomes? 2 Example:

More information

Math Option pricing using Quasi Monte Carlo simulation

Math Option pricing using Quasi Monte Carlo simulation . Math 623 - Option pricing using Quasi Monte Carlo simulation Pratik Mehta pbmehta@eden.rutgers.edu Masters of Science in Mathematical Finance Department of Mathematics, Rutgers University This paper

More information

IEOR E4703: Monte-Carlo Simulation

IEOR E4703: Monte-Carlo Simulation IEOR E4703: Monte-Carlo Simulation Generating Random Variables and Stochastic Processes Martin Haugh Department of Industrial Engineering and Operations Research Columbia University Email: martin.b.haugh@gmail.com

More information

Chapter 7: Point Estimation and Sampling Distributions

Chapter 7: Point Estimation and Sampling Distributions Chapter 7: Point Estimation and Sampling Distributions Seungchul Baek Department of Statistics, University of South Carolina STAT 509: Statistics for Engineers 1 / 20 Motivation In chapter 3, we learned

More information

STAT 825 Notes Random Number Generation

STAT 825 Notes Random Number Generation STAT 825 Notes Random Number Generation What if R/Splus/SAS doesn t have a function to randomly generate data from a particular distribution? Although R, Splus, SAS and other packages can generate data

More information

Probability and distributions

Probability and distributions 2 Probability and distributions The concepts of randomness and probability are central to statistics. It is an empirical fact that most experiments and investigations are not perfectly reproducible. The

More information

Statistics and Probability

Statistics and Probability Statistics and Probability Continuous RVs (Normal); Confidence Intervals Outline Continuous random variables Normal distribution CLT Point estimation Confidence intervals http://www.isrec.isb-sib.ch/~darlene/geneve/

More information

Web Science & Technologies University of Koblenz Landau, Germany. Lecture Data Science. Statistics and Probabilities JProf. Dr.

Web Science & Technologies University of Koblenz Landau, Germany. Lecture Data Science. Statistics and Probabilities JProf. Dr. Web Science & Technologies University of Koblenz Landau, Germany Lecture Data Science Statistics and Probabilities JProf. Dr. Claudia Wagner Data Science Open Position @GESIS Student Assistant Job in Data

More information

Probability Models.S2 Discrete Random Variables

Probability Models.S2 Discrete Random Variables Probability Models.S2 Discrete Random Variables Operations Research Models and Methods Paul A. Jensen and Jonathan F. Bard Results of an experiment involving uncertainty are described by one or more random

More information

Monte-Carlo Planning: Introduction and Bandit Basics. Alan Fern

Monte-Carlo Planning: Introduction and Bandit Basics. Alan Fern Monte-Carlo Planning: Introduction and Bandit Basics Alan Fern 1 Large Worlds We have considered basic model-based planning algorithms Model-based planning: assumes MDP model is available Methods we learned

More information

6. Continous Distributions

6. Continous Distributions 6. Continous Distributions Chris Piech and Mehran Sahami May 17 So far, all random variables we have seen have been discrete. In all the cases we have seen in CS19 this meant that our RVs could only take

More information

Characterization of the Optimum

Characterization of the Optimum ECO 317 Economics of Uncertainty Fall Term 2009 Notes for lectures 5. Portfolio Allocation with One Riskless, One Risky Asset Characterization of the Optimum Consider a risk-averse, expected-utility-maximizing

More information

CH 5 Normal Probability Distributions Properties of the Normal Distribution

CH 5 Normal Probability Distributions Properties of the Normal Distribution Properties of the Normal Distribution Example A friend that is always late. Let X represent the amount of minutes that pass from the moment you are suppose to meet your friend until the moment your friend

More information

Monte Carlo Methods. Prof. Mike Giles. Oxford University Mathematical Institute. Lecture 1 p. 1.

Monte Carlo Methods. Prof. Mike Giles. Oxford University Mathematical Institute. Lecture 1 p. 1. Monte Carlo Methods Prof. Mike Giles mike.giles@maths.ox.ac.uk Oxford University Mathematical Institute Lecture 1 p. 1 Geometric Brownian Motion In the case of Geometric Brownian Motion ds t = rs t dt+σs

More information

2. Modeling Uncertainty

2. Modeling Uncertainty 2. Modeling Uncertainty Models for Uncertainty (Random Variables): Big Picture We now move from viewing the data to thinking about models that describe the data. Since the real world is uncertain, our

More information

On one of the feet? 1 2. On red? 1 4. Within 1 of the vertical black line at the top?( 1 to 1 2

On one of the feet? 1 2. On red? 1 4. Within 1 of the vertical black line at the top?( 1 to 1 2 Continuous Random Variable If I spin a spinner, what is the probability the pointer lands... On one of the feet? 1 2. On red? 1 4. Within 1 of the vertical black line at the top?( 1 to 1 2 )? 360 = 1 180.

More information

Exam M Fall 2005 PRELIMINARY ANSWER KEY

Exam M Fall 2005 PRELIMINARY ANSWER KEY Exam M Fall 005 PRELIMINARY ANSWER KEY Question # Answer Question # Answer 1 C 1 E C B 3 C 3 E 4 D 4 E 5 C 5 C 6 B 6 E 7 A 7 E 8 D 8 D 9 B 9 A 10 A 30 D 11 A 31 A 1 A 3 A 13 D 33 B 14 C 34 C 15 A 35 A

More information

Monte-Carlo Planning: Introduction and Bandit Basics. Alan Fern

Monte-Carlo Planning: Introduction and Bandit Basics. Alan Fern Monte-Carlo Planning: Introduction and Bandit Basics Alan Fern 1 Large Worlds We have considered basic model-based planning algorithms Model-based planning: assumes MDP model is available Methods we learned

More information

STAT 201 Chapter 6. Distribution

STAT 201 Chapter 6. Distribution STAT 201 Chapter 6 Distribution 1 Random Variable We know variable Random Variable: a numerical measurement of the outcome of a random phenomena Capital letter refer to the random variable Lower case letters

More information

King s College London

King s College London King s College London University Of London This paper is part of an examination of the College counting towards the award of a degree. Examinations are governed by the College Regulations under the authority

More information

Chapter 4 and 5 Note Guide: Probability Distributions

Chapter 4 and 5 Note Guide: Probability Distributions Chapter 4 and 5 Note Guide: Probability Distributions Probability Distributions for a Discrete Random Variable A discrete probability distribution function has two characteristics: Each probability is

More information

Topic 6 - Continuous Distributions I. Discrete RVs. Probability Density. Continuous RVs. Background Reading. Recall the discrete distributions

Topic 6 - Continuous Distributions I. Discrete RVs. Probability Density. Continuous RVs. Background Reading. Recall the discrete distributions Topic 6 - Continuous Distributions I Discrete RVs Recall the discrete distributions STAT 511 Professor Bruce Craig Binomial - X= number of successes (x =, 1,...,n) Geometric - X= number of trials (x =,...)

More information

IEOR E4602: Quantitative Risk Management

IEOR E4602: Quantitative Risk Management IEOR E4602: Quantitative Risk Management Basic Concepts and Techniques of Risk Management Martin Haugh Department of Industrial Engineering and Operations Research Columbia University Email: martin.b.haugh@gmail.com

More information

Stochastic Differential Equations in Finance and Monte Carlo Simulations

Stochastic Differential Equations in Finance and Monte Carlo Simulations Stochastic Differential Equations in Finance and Department of Statistics and Modelling Science University of Strathclyde Glasgow, G1 1XH China 2009 Outline Stochastic Modelling in Asset Prices 1 Stochastic

More information

2.1 Mathematical Basis: Risk-Neutral Pricing

2.1 Mathematical Basis: Risk-Neutral Pricing Chapter Monte-Carlo Simulation.1 Mathematical Basis: Risk-Neutral Pricing Suppose that F T is the payoff at T for a European-type derivative f. Then the price at times t before T is given by f t = e r(t

More information

4 Random Variables and Distributions

4 Random Variables and Distributions 4 Random Variables and Distributions Random variables A random variable assigns each outcome in a sample space. e.g. called a realization of that variable to Note: We ll usually denote a random variable

More information

SAQ KONTROLL AB Box 49306, STOCKHOLM, Sweden Tel: ; Fax:

SAQ KONTROLL AB Box 49306, STOCKHOLM, Sweden Tel: ; Fax: ProSINTAP - A Probabilistic Program for Safety Evaluation Peter Dillström SAQ / SINTAP / 09 SAQ KONTROLL AB Box 49306, 100 29 STOCKHOLM, Sweden Tel: +46 8 617 40 00; Fax: +46 8 651 70 43 June 1999 Page

More information

Problem 1: Random variables, common distributions and the monopoly price

Problem 1: Random variables, common distributions and the monopoly price Problem 1: Random variables, common distributions and the monopoly price In this problem, we will revise some basic concepts in probability, and use these to better understand the monopoly price (alternatively

More information

Question from Session Two

Question from Session Two ESD.70J Engineering Economy Fall 2006 Session Three Alex Fadeev - afadeev@mit.edu Link for this PPT: http://ardent.mit.edu/real_options/rocse_excel_latest/excelsession3.pdf ESD.70J Engineering Economy

More information

Much of what appears here comes from ideas presented in the book:

Much of what appears here comes from ideas presented in the book: Chapter 11 Robust statistical methods Much of what appears here comes from ideas presented in the book: Huber, Peter J. (1981), Robust statistics, John Wiley & Sons (New York; Chichester). There are many

More information

ROM SIMULATION Exact Moment Simulation using Random Orthogonal Matrices

ROM SIMULATION Exact Moment Simulation using Random Orthogonal Matrices ROM SIMULATION Exact Moment Simulation using Random Orthogonal Matrices Bachelier Finance Society Meeting Toronto 2010 Henley Business School at Reading Contact Author : d.ledermann@icmacentre.ac.uk Alexander

More information

IEOR E4703: Monte-Carlo Simulation

IEOR E4703: Monte-Carlo Simulation IEOR E4703: Monte-Carlo Simulation Other Miscellaneous Topics and Applications of Monte-Carlo Martin Haugh Department of Industrial Engineering and Operations Research Columbia University Email: martin.b.haugh@gmail.com

More information

EC316a: Advanced Scientific Computation, Fall Discrete time, continuous state dynamic models: solution methods

EC316a: Advanced Scientific Computation, Fall Discrete time, continuous state dynamic models: solution methods EC316a: Advanced Scientific Computation, Fall 2003 Notes Section 4 Discrete time, continuous state dynamic models: solution methods We consider now solution methods for discrete time models in which decisions

More information

CS 188: Artificial Intelligence

CS 188: Artificial Intelligence CS 188: Artificial Intelligence Markov Decision Processes Dan Klein, Pieter Abbeel University of California, Berkeley Non-Deterministic Search 1 Example: Grid World A maze-like problem The agent lives

More information

The normal distribution is a theoretical model derived mathematically and not empirically.

The normal distribution is a theoretical model derived mathematically and not empirically. Sociology 541 The Normal Distribution Probability and An Introduction to Inferential Statistics Normal Approximation The normal distribution is a theoretical model derived mathematically and not empirically.

More information

Math Computational Finance Option pricing using Brownian bridge and Stratified samlping

Math Computational Finance Option pricing using Brownian bridge and Stratified samlping . Math 623 - Computational Finance Option pricing using Brownian bridge and Stratified samlping Pratik Mehta pbmehta@eden.rutgers.edu Masters of Science in Mathematical Finance Department of Mathematics,

More information

Reinforcement Learning

Reinforcement Learning Reinforcement Learning Basic idea: Receive feedback in the form of rewards Agent s utility is defined by the reward function Must (learn to) act so as to maximize expected rewards Grid World The agent

More information

Calculating VaR. There are several approaches for calculating the Value at Risk figure. The most popular are the

Calculating VaR. There are several approaches for calculating the Value at Risk figure. The most popular are the VaR Pro and Contra Pro: Easy to calculate and to understand. It is a common language of communication within the organizations as well as outside (e.g. regulators, auditors, shareholders). It is not really

More information

NORMAL APPROXIMATION. In the last chapter we discovered that, when sampling from almost any distribution, e r2 2 rdrdϕ = 2π e u du =2π.

NORMAL APPROXIMATION. In the last chapter we discovered that, when sampling from almost any distribution, e r2 2 rdrdϕ = 2π e u du =2π. NOMAL APPOXIMATION Standardized Normal Distribution Standardized implies that its mean is eual to and the standard deviation is eual to. We will always use Z as a name of this V, N (, ) will be our symbolic

More information