SAS Portfolio Analysis - Serving the Kitchen Sink Haftan Eckholdt, DayTrends, Brooklyn, NY

Size: px
Start display at page:

Download "SAS Portfolio Analysis - Serving the Kitchen Sink Haftan Eckholdt, DayTrends, Brooklyn, NY"

Transcription

1 SAS Portfolio Analysis - Serving the Kitchen Sink Haftan Eckholdt, DayTrends, Brooklyn, NY ABSTRACT Portfolio management has surpassed the capabilities of financial software platforms both in terms of analysis and information delivery. Investment strategies are usually back-tested over decades before entering the market, and new investment strategies often change position very rapidly. On top of this are new investor demands for immediate access to up to date and detailed information on fund performance, risk, and activity. No brand of financial software allows users to analyze extended daily histories, much less share detailed reports over the WEB. SAS has a long history of delivering detailed analyses over the WEB, and this presentation will demonstrate how to meet the demands of managers and investors with in depth analyses of portfolio performance, risk, and activity using rich WEB based reports that are easily formatted in GIF, JAVA, and ActiveX. INTRODUCTION Whether reporting on a backtested portfolio, or recent trading activities, the challenges are much the same. There is a common set of performance metrics that most analysts demand in terms of performance, risk, activity, and content. In each case, an investor or reviewer will eventually want everything from large time frame summaries to raw data from the smallest available time frame. Note that pilot data for this paper were derived from the S&P500 Index. Membership history was taken from published records of SP500 membership and equity histories were bought from suppliers close equity data (TC2000, Bloomberg, etc.). Overall, the portfolio averages equities when full, with an average hold less than 1 month. Costs were $0.01 / share each way and $10 per trade each way. Strategies were traded with the goal of keeping data from 1980 to 2000 "out of sample". This talk will follow a draft of a web based portfolio report at Performance There are many performance measures, and the following six are probably the most popular: Return, Volatility, Sharpe Ratio, Alpha, Beta, RSquare. Calculating these requires generating a daily (weekly, monthly, etc.) series of profit / loss. If you have the actual asset values of the account (DAV: daily asset value), then you can convert them back and forth as follows: DPL, DAV DPL = (FUND-LAG1(FUND))/LAG1(FUND); DATA PERF; SET PERF; RETAIN DAV ; by date; DAV = (1+DTDPL)*DTAV; And these in tern can be used to calculate the performance metrics. PROC MEANS N MIN MAX MEAN STD KURT SUM DATA=PERF; ods output summary=meanz; VAR DPL; DATA MEANZ; SET MEANZ; * DAILY RETURN; DR_DT=DTDPL_MEAN-(0.5*DTDPL_STDDEV**2); * ANNUAL VOLATILITY; AV_DT=SQRT(250)*DTDPL_STDDEV; * ANNUAL RETURN; AR_DT=EXP(250*DR_DT)-1; * SHARPE RATIO; RR_DT=(AR_DT-0.017)/AV_DT; 1

2 Figure 1. Performance (return x volatility) of simulated trades in June AR_DT Other performance measures can be calcaulated from the same return series: PROC CORR DATA=PERF; ods output PearsonCorr=cor; VAR DPL; WITH SPDPL; PROC GLM DATA=PERF; ods output parameterestimates=reg; MODEL DPL = SPDPL / SOLUTION; AV_DT20046 STRATEGY PROT1 PROT2 PROT3 RankD RankW ods HTML path=odsout body="persummary.html"; TITLE1 "Annual Performance Summary"; VAR AV_DT AV_SP AR_DT AR_SP tbillm RR_DT RR_SP ; FORMAT DR_DT DR_SP AR_DT AR_SP TBILLM PERCENT9.4; PROC PRINT LABEL DATA=TABLE; DATA PERF; SET PERF; E40M40S20 = DTDPL; sp500 = SPDPL; proc gplot DATA=DPL0; ods HTML path=odsout body="char2n.html"; TITLE2 "Daily Portfolio CASH Position"; plot CASHP * DATE; format CASHP PERCENT6.2; proc gplot DATA=PERF; ods HTML path=odsout body="char3.html"; TITLE2 "Daily Portfolio Short Position"; plot hedgep * DATE / VREF = 0.20; format DATE mmddyy10. hedgep PERCENT8.1 ; proc gplot DATA=PERF; ods HTML path=odsout body="char1.html"; TITLE2 "Daily Portfolio Size (blue) and Position Age (red)"; title3 " "; plot davclo_n * DATE / vaxis = axis1; PLOT2 AGE_MEAN * DATE / vaxis = axis2; format DATE mmddyy10. ; proc gplot DATA=PERF; ods HTML path=odsout body="daily2.html"; TITLE1 " "; TITLE2 "Daily Profit / Loss"; TITLE3 "SP500 Index (red) and E40M40S20 (blue)"; plot (E40M40S20 SP500) * DATE / OVERLAY VREF=0;* xmax = 0.03 xmin = ymax = 0.03 ymin = -0.03; format DATE mmddyy10.; 2

3 Risk Portfolio risk management is an art and a science that is critical to maintaining and understanding financial instruments. While drawdown, recovery, and value at risk (VAR) refer to standard monitoring devices in the industry, there is little clarity on the approaches used for each. Comparing established approaches like risk metrics that are based on historical correlations, with newer approaches using a layered boot strap of historical data can reveal discrepancies. What was the biggest loss? Drawdown is defined as the relative equity loss from the highest peak to the lowest valley of a price decline within a given window of observation. How long did it take to recover those losses? The time that it takes to recover from that drawdown is called a recovery. What might I typically lose tomorrow? Value at risk measures the maximum expected loss for a given portfolio in a given holding period at a given confidence level. What could I lose in a worse case scenario? A newer metric called a Crash Kappa can provide insights to this question. Using SAS (%MACRO, STAT, GRAPH), to model drawdown and recovery reveals discrepancies between the observed distribution and the normal distribution. This argues strongly that empirical distributions should be used for the drawdown measurements of the strategies. These discrepancies also suggest that empirical distributions are probably necessary for other measures of risk, like value at risk (VAR), and the crash Kappa. DRAWDOWN The SAS calculation of drawdown is relatively simple, although the %MACRO code doesn t suggest that. We calculated drawdown for 2 days, 5 days (1 week), 20 days (1 month), and 60 days (1 quarter), as held by the macro variable &W. %DO A = %EVAL((%SCAN(&W,&C)) %TO 1 %BY -1; %DO B = %EVAL(&A-1) %TO 1 %BY -1; A&A.B&B = (LAG&B(sp500)-LAG&A(sp500))/ LAG&A(sp500); DRAW = MIN(A%EVAL(%SCAN(&W,&C))B%EVAL((%SCAN(&W,&C))-1) %DO A = %EVAL((%SCAN(&W,&C)) %TO 1 %BY -1; %DO B = %EVAL(&A-1) %TO 1 %BY -1;,A&A.B&B ); P0 = sp500; %DO A = 1 %TO %SCAN(&W,&C); P&A = LAG&A(DOLLAR%SCAN(&Y,&D)); PEAK = MAX(P0 %DO A = 1 %TO %SCAN(&W,&C);,P&A );... %DO E = 300 %TO 1 %BY -1; IF LAG&E(DOLLAR%SCAN(&Y,&D)) GE PEAK THEN RECOVER = &E; Figure 1 shows both the daily close price as well as the maximum drawdown for the Index over the 21 year period. Note that the value axis ranges from $1 to $12 assuming that you invested just one dollar from the start. On the right hand axis, percent drawdown ranges from 34% to 2%. This figure is very informative in terms of the frequency and depth of drawdown that is likely to be experienced. proc gplot; TITLE1 "Max DrawDown and Recovery in %SCAN(&W,&C) Trading Days"; TITLE2 "Strategy: %SCAN(&V,&D) "; plot DRAW * DATE / haxis=axis1 vaxis=axis2 frame ; plot2 RECOVER * DATE / vaxis=axis3 ; 3

4 Figure 1. S&P500 Index daily close price (blue), and percent maximum drawdown (red) in rolling quarters from 1980 to

5 Several observations can be made from the Index analysis alone. The percent drawdown has a clustering that looks a little Gaussian on the right hand side of the distribution in Figure 2. Table 1 describes the important moments in the distribution, which is definitely not normally distributed. Figure 2. Density function of percent maximum drawdown of S&P500 Index from 1990 to Table 1. Descriptive statistics of the maximum quarterly drawdown of the S&P500 Index from 1990 to N 5051 Mean Std Deviation Skewness Uncorrected SS Coeff Variation Sum Weights 5051 Sum Observations Variance Kurtosis Corrected SS Std Error Mean

6 Table 2 describes the quantiles of the distribution. For monitoring purposes we will focus on the 1st and 99th quantiles which provide a 98% observation interval around the data (-0.012, -0.29). Table 2. Quantiles of the maximum quarterly drawdown of the S&P500 Index from 1980 to Quantile Estimate 100% Max % % % % Q % Median % Q % % % % Min Figure 3 shows the drawdown plotted against the time to recovery from the peak. Figure 3. S&P500 percent maximum drawdown (blue) and days to recovery 9red) in rolling quarters from 1980 to

7 The density function of the recovery period shows that there are plenty of drawdown events that require a year or more to recover. Figure 4 shows the temporal relationship between these events. It seems as if drawdown of 15% to 20% takes about a year to recover, except for the crash in 1997 which took little recovery time. Deeper drawdown, greater than 20%, which only occurred in 1987, required almost 2 years of recovery time. Figure 4. Density function of recovery time of S&P500 Index from 1980 to Table 3. Descriptive statistics of the recovery time of the S&P500 Index from 1980 to N 4908 Mean Std Deviation Skewness Coeff Variation Variance Kurtosis Std Error Mean Table 4 provides the quantiles which have more positive and negative extremes. Overall, the maximum recovery time was 485 days or nearly two years. Table 4. Quantiles of the recovery of the Index from 1980 to Quantile Estimate 100% Max % % % % Q % Median % Q % 1.0 5% 1.0 1% 1.0 7

8 0% Min 1.0 Figure 5 cuts to the heart of the matter. While the two measures, drawdown and recovery are not well correlated, the greatest drawdowns are associated with some of the greatest recovery periods as pointed out by the arrows in the lower right hand portion of figure 5. Figure 5. Drawdown by recovery for the S&P500 index in rolling quarters from 1980 to 2000 (time is graded color) D R A W RECOVER VALUE AT RISK (VAR) Value At Risk (VAR) is calculated in one of three ways: 1. Historical return & parametric inference 2. Historical correlations & parametric inference 3. Monte Carlo & parametric inference. The code that follows can be used to calculate VAR using the first two methods. PROC IML; USE MATRIXV; READ VAR _NUM_ INTO V; PRINT V; USE MATRIXC; READ ALL VAR _NUM_ INTO C; PRINT C; X = V*C; PRINT X; W=T(V); PRINT W; Y = X*W; PRINT Y; Z = SQRT(Y); PRINT Z; CREATE VARDIV FROM Z[COLNAME="VAR"]; APPEND FROM Z; 8

9 Figure 6. Daily asset value with tomorrow s lower boundary 95% confidence interval of VAR($) estimated from the undiversified analysis (method I: red) and diversified analysis (method II: green). 9

10 Figure 7. Log(daily return) with the lower boundary 95% confidence interval of VAR(%) boundaries estimated from the undiversified analysis (method I: red) and diversified analysis (method II: green). Several conclusions can be made from figure 7. Mostly one notices that the undiversified asset approach leads to many exceptions, and this presentation will include discussion of the Kupiec test which quantifies the probability of exceptions. CRASH KAPPA Extreme markets require extreme calculations. In order to predict behavior during extreme market conditions, one needs to constrain the sample to extreme conditions. This can be done with the Crash Kappa, where the analytic sample is confined to those days of +/- 3% change. The code for such estimates will be described in detail during the presentation. Activity Buy, Sell, realized pl DATA CONTENT; MERGE TRADE SECTOR; BY TICKER; IF BPRICE NE.; DATA SECTOR; SET SECTOR; POSITION = ASSET; MONTH = 1; DATA CONTENTB; SET SECTOR CONTENT; IF MONTH LT 7; POSIT = "LONG "; if TICKER = "SPY" then SECTOR_NAME = "Hedge"; if TICKER = "SPY" then POSIT = "SHORT"; 10

11 PROC SORT; BY MONTH; PROC GCHART; ods HTML path=odsout body="consummary.html"; TITLE1 " "; TITLE2 "Attribution of Realized Gains by Sector"; HBAR SECTOR_NAME / PERCENT FREQ=GAIN SUBGROUP=MONTH; BY MONTH; PROC FREQ; TABLES POSIT*MONTH / LIST;; WEIGHT GAIN; PROC GCHART; TITLE2 "Attribution of Realized Losses by Sector"; HBAR SECTOR_NAME / PERCENT FREQ=LOSS SUBGROUP=MONTH; BY MONTH; PROC FREQ; TABLES POSIT*MONTH / LIST;; WEIGHT LOSS; IntraDay data capture: FILENAME MOMENT DDE "EXCEL DASH!R2C5:R4C6"; LIBNAME MONITOR "E:\DAYTRENDS\RESEARCH\MONITOR\DATA\"; data _null_; * slept=wakeup("02jun2003:09:30:00"dt); slept=wakeup("09:30:00"t); run; DATA MONITOR.NOW; INFILE MOMENT; INPUT FUND $ ASSETS $; NOW = DATETIME(); %MACRO LOOKER; %DO A = 1 %TO 70; DATA NOW&A; INFILE MOMENT; INPUT FUND$ ASSETS $; NOW = DATETIME(); PROC APPEND BASE=MONITOR.NOW DATA=NOW&A; DATA _NULL_; RC = SLEEP(358); RUN; %MEND LOOKER; %LOOKER; RUN; PROC EXPORT DATA=INTRADAY OUTFILE= "E:\DAYTRENDS\RESEARCH\MONITOR\WEB\INTRADAY.XLS" DBMS=EXCEL2000 REPLACE; Content Size, Age, Sector, Live data DATA CONTENTC; MERGE TABLE1 CONTENTB; 11

12 BY MONTH; PERPOS = (POSITION / MAV)*10000; PROC GCHART DATA=CONTENTC; ods HTML path=odsout body="char4.html"; TITLE2 "Sector Allocation of SP500 and Tracker Fund by Month"; HBAR3D MONTH / DISCRETE NOSTATS FREQ=PERPOS SUBGROUP=SECTOR_NAME ; WHERE TICKER NE "SPY"; format month smonth.; PROC FREQ DATA=CONTENTC; TABLES SECTOR_NAME*MONTH / LIST; WHERE TICKER NE "SPY"; WEIGHT PERPOS; format month smonth.; REFERENCES Buyya, R. (1999). High Performance Cluster Computing: Architecture and Systems, volume 1. Prentice Hall: New Jersey. Buyya, R. (1999b). High Performance Cluster Computing: Programming and applications, volume 2. Prentice Hall: New Jersey. Foster, I. (1994). Designing and Building Parallel Programs: Concepts and Tools for Parallel Software Engineering. Addison_Wesley Publishing Company: New York. Hill, T. (1998). WINDOWS NT: Shell Scripting. Macmillian Technical Publishing: Indianapolis, IN. Wilkinson, B. and Allen, M. (1999). Parallel Programming: techniques and applications using networked workstations and parallel computers. Prentice Hall: New Jersey. CONTACT INFORMATION Your comments and questions are valued and encouraged. Contact the author at: Haftan Eckholdt DayTrends 10 Jay Street Brooklyn, New York Work Phone: (718) Fax: (718) haftan@daytrends.com Web: SAS and all other SAS Institute Inc. product or service names are registered trademarks or trademarks of SAS Institute Inc. in the USA and other countries. indicates USA registration. Other brand and product names are trademarks of their respective companies. 12

Risk Management : Using SAS to Model Portfolio Drawdown, Recovery, and Value at Risk Haftan Eckholdt, DayTrends, Brooklyn, New York

Risk Management : Using SAS to Model Portfolio Drawdown, Recovery, and Value at Risk Haftan Eckholdt, DayTrends, Brooklyn, New York Paper 199-29 Risk Management : Using SAS to Model Portfolio Drawdown, Recovery, and Value at Risk Haftan Eckholdt, DayTrends, Brooklyn, New York ABSTRACT Portfolio risk management is an art and a science

More information

Financial COWs: Using SAS to Manage Parallel Clusters for Simulating Financial Markets Haftan Eckholdt, DayTrends, Brooklyn, New York

Financial COWs: Using SAS to Manage Parallel Clusters for Simulating Financial Markets Haftan Eckholdt, DayTrends, Brooklyn, New York Paper 230-29 Financial COWs: Using SAS to Manage Parallel Clusters for Simulating Financial Markets Haftan Eckholdt, DayTrends, Brooklyn, New York ABSTRACT Using SAS to manage and run a LINUX / WINDOWS-NT

More information

Dongfeng Li. Autumn 2010

Dongfeng Li. Autumn 2010 Autumn 2010 Chapter Contents Some statistics background; ; Comparing means and proportions; variance. Students should master the basic concepts, descriptive statistics measures and graphs, basic hypothesis

More information

4 Other useful features on the course web page. 5 Accessing SAS

4 Other useful features on the course web page. 5 Accessing SAS 1 Using SAS outside of ITCs Statistical Methods and Computing, 22S:30/105 Instructor: Cowles Lab 1 Jan 31, 2014 You can access SAS from off campus by using the ITC Virtual Desktop Go to https://virtualdesktopuiowaedu

More information

SAS Rule-Based Codebook Generation for Exploratory Data Analysis Ross Bettinger, Senior Analytical Consultant, Seattle, WA

SAS Rule-Based Codebook Generation for Exploratory Data Analysis Ross Bettinger, Senior Analytical Consultant, Seattle, WA SAS Rule-Based Codebook Generation for Exploratory Data Analysis Ross Bettinger, Senior Analytical Consultant, Seattle, WA ABSTRACT A codebook is a summary of a collection of data that reports significant

More information

Contents. List of Figures. List of Tables. List of Examples. Preface to Volume IV

Contents. List of Figures. List of Tables. List of Examples. Preface to Volume IV Contents List of Figures List of Tables List of Examples Foreword Preface to Volume IV xiii xvi xxi xxv xxix IV.1 Value at Risk and Other Risk Metrics 1 IV.1.1 Introduction 1 IV.1.2 An Overview of Market

More information

Chapter 6 The Tradeoff Between Risk and Return

Chapter 6 The Tradeoff Between Risk and Return Chapter 6 The Tradeoff Between Risk and Return MULTIPLE CHOICE 1. Which of the following is an example of systematic risk? a. IBM posts lower than expected earnings. b. Intel announces record earnings.

More information

Simulation Models for Business Planning and Economic Forecasting. Donald Erdman, SAS Institute Inc., Cary, NC

Simulation Models for Business Planning and Economic Forecasting. Donald Erdman, SAS Institute Inc., Cary, NC Simulation Models for Business Planning and Economic Forecasting Donald Erdman, SAS Institute Inc., Cary, NC ABSTRACT Simulation models are useful in many diverse fields. This paper illustrates the use

More information

Diversifying with Negatively Correlated Investments. Monterosso Investment Management Company, LLC Q1 2011

Diversifying with Negatively Correlated Investments. Monterosso Investment Management Company, LLC Q1 2011 Diversifying with Negatively Correlated Investments Monterosso Investment Management Company, LLC Q1 2011 Presentation Outline I. Five Things You Should Know About Managed Futures II. Diversification and

More information

Creating Dynamic Reports Using Data Exchange to Excel

Creating Dynamic Reports Using Data Exchange to Excel Creating Dynamic Reports Using Data Exchange to Excel Liping Huang Visiting Nurse Service of New York ABSTRACT The ability to generate flexible reports in Excel is in great demand. This paper illustrates

More information

Experimental Design for Influential Factors of Rates on Massive Open Online Courses

Experimental Design for Influential Factors of Rates on Massive Open Online Courses Experimental Design for Influential Factors of Rates on Massive Open Online Courses December 12, 2014 Ning Li nli7@stevens.edu Qing Wei qwei1@stevens.edu Yating Lan ylan2@stevens.edu Yilin Wei ywei12@stevens.edu

More information

Risk and return (1) Class 9 Financial Management, 15.414

Risk and return (1) Class 9 Financial Management, 15.414 Risk and return (1) Class 9 Financial Management, 15.414 Today Risk and return Statistics review Introduction to stock price behavior Reading Brealey and Myers, Chapter 7, p. 153 165 Road map Part 1. Valuation

More information

A Review of Cross Sectional Regression for Financial Data You should already know this material from previous study

A Review of Cross Sectional Regression for Financial Data You should already know this material from previous study A Review of Cross Sectional Regression for Financial Data You should already know this material from previous study But I will offer a review, with a focus on issues which arise in finance 1 TYPES OF FINANCIAL

More information

An introduction to Value-at-Risk Learning Curve September 2003

An introduction to Value-at-Risk Learning Curve September 2003 An introduction to Value-at-Risk Learning Curve September 2003 Value-at-Risk The introduction of Value-at-Risk (VaR) as an accepted methodology for quantifying market risk is part of the evolution of risk

More information

While this graph provides an overall trend to the data, the shear volume of data presented on it leaves several questions unanswered.

While this graph provides an overall trend to the data, the shear volume of data presented on it leaves several questions unanswered. 1 CC-06 Quick and Easy Visualization of Longitudinal data with the WEBFRAME graphics device Kevin P. Delaney MPH, Centers for Disease Control and Prevention, Atlanta, GA Abstract: Data Visualization is

More information

Quantitative Methods for Finance

Quantitative Methods for Finance Quantitative Methods for Finance Module 1: The Time Value of Money 1 Learning how to interpret interest rates as required rates of return, discount rates, or opportunity costs. 2 Learning how to explain

More information

Figure 1. Default histogram in a survey engine

Figure 1. Default histogram in a survey engine Between automation and exploration: SAS graphing techniques for visualization of survey data Chong Ho Yu, Samuel DiGangi, & Angel Jannasch-Pennell Arizona State University, Tempe AZ 85287-0101 ABSTRACT

More information

Basic Statistical and Modeling Procedures Using SAS

Basic Statistical and Modeling Procedures Using SAS Basic Statistical and Modeling Procedures Using SAS One-Sample Tests The statistical procedures illustrated in this handout use two datasets. The first, Pulse, has information collected in a classroom

More information

Statistics, Data Analysis & Econometrics

Statistics, Data Analysis & Econometrics Using the LOGISTIC Procedure to Model Responses to Financial Services Direct Marketing David Marsh, Senior Credit Risk Modeler, Canadian Tire Financial Services, Welland, Ontario ABSTRACT It is more important

More information

A constant volatility framework for managing tail risk

A constant volatility framework for managing tail risk A constant volatility framework for managing tail risk Alexandre Hocquard, Sunny Ng and Nicolas Papageorgiou 1 Brockhouse Cooper and HEC Montreal September 2010 1 Alexandre Hocquard is Portfolio Manager,

More information

Analyze the Stock Market Using the SAS System Luis Soriano, Qualex Consulting Services, Inc. Martinsville, VA

Analyze the Stock Market Using the SAS System Luis Soriano, Qualex Consulting Services, Inc. Martinsville, VA Paper 145-27 Analyze the Stock Market Using the SAS System Luis Soriano, Qualex Consulting Services, Inc. Martinsville, VA ABSTRACT Financial Managers, Analysts, and Investors need to find the better opportunities

More information

Portfolio Management for institutional investors

Portfolio Management for institutional investors Portfolio Management for institutional investors June, 2010 Bogdan Bilaus, CFA CFA Romania Summary Portfolio management - definitions; The process; Investment Policy Statement IPS; Strategic Asset Allocation

More information

Market Risk Analysis and Portfolio Management

Market Risk Analysis and Portfolio Management Market Risk Analysis and Portfolio Management mail@risk-o.com www.risk-o.com CVaR Expert 2.0 System overview CVX Connectivity Capture market and portfolio data from multiple sources simultaneously (Oracle,

More information

ishares MINIMUM VOLATILITY SUITE SEEKING TO WEATHER THE MARKET S UP AND DOWNS

ishares MINIMUM VOLATILITY SUITE SEEKING TO WEATHER THE MARKET S UP AND DOWNS ishares MINIMUM VOLATILITY SUITE SEEKING TO WEATHER THE MARKET S UP AND DOWNS Table of Contents 1 Introducing the ishares Minimum Volatility Suite... 02 2 Why Consider the ishares Minimum Volatility Suite?...

More information

Risk Budgeting: Concept, Interpretation and Applications

Risk Budgeting: Concept, Interpretation and Applications Risk Budgeting: Concept, Interpretation and Applications Northfield Research Conference 005 Eddie Qian, PhD, CFA Senior Portfolio Manager 60 Franklin Street Boston, MA 00 (67) 439-637 7538 8//005 The Concept

More information

Using SAS to Create Graphs with Pop-up Functions Shiqun (Stan) Li, Minimax Information Services, NJ Wei Zhou, Lilly USA LLC, IN

Using SAS to Create Graphs with Pop-up Functions Shiqun (Stan) Li, Minimax Information Services, NJ Wei Zhou, Lilly USA LLC, IN Paper CC12 Using SAS to Create Graphs with Pop-up Functions Shiqun (Stan) Li, Minimax Information Services, NJ Wei Zhou, Lilly USA LLC, IN ABSTRACT In addition to the static graph features, SAS provides

More information

Improving the Performance of Data Mining Models with Data Preparation Using SAS Enterprise Miner Ricardo Galante, SAS Institute Brasil, São Paulo, SP

Improving the Performance of Data Mining Models with Data Preparation Using SAS Enterprise Miner Ricardo Galante, SAS Institute Brasil, São Paulo, SP Improving the Performance of Data Mining Models with Data Preparation Using SAS Enterprise Miner Ricardo Galante, SAS Institute Brasil, São Paulo, SP ABSTRACT In data mining modelling, data preparation

More information

Integrated Company Analysis

Integrated Company Analysis Using Integrated Company Analysis Version 2.0 Zacks Investment Research, Inc. 2000 Manual Last Updated: 8/11/00 Contents Overview 3 Introduction...3 Guided Tour 4 Getting Started in ICA...4 Parts of ICA

More information

STATS8: Introduction to Biostatistics. Data Exploration. Babak Shahbaba Department of Statistics, UCI

STATS8: Introduction to Biostatistics. Data Exploration. Babak Shahbaba Department of Statistics, UCI STATS8: Introduction to Biostatistics Data Exploration Babak Shahbaba Department of Statistics, UCI Introduction After clearly defining the scientific problem, selecting a set of representative members

More information

15.401 Finance Theory

15.401 Finance Theory Finance Theory MIT Sloan MBA Program Andrew W. Lo Harris & Harris Group Professor, MIT Sloan School Lecture 13 14 14: : Risk Analytics and Critical Concepts Motivation Measuring Risk and Reward Mean-Variance

More information

Chicago Booth BUSINESS STATISTICS 41000 Final Exam Fall 2011

Chicago Booth BUSINESS STATISTICS 41000 Final Exam Fall 2011 Chicago Booth BUSINESS STATISTICS 41000 Final Exam Fall 2011 Name: Section: I pledge my honor that I have not violated the Honor Code Signature: This exam has 34 pages. You have 3 hours to complete this

More information

Consider a study in which. How many subjects? The importance of sample size calculations. An insignificant effect: two possibilities.

Consider a study in which. How many subjects? The importance of sample size calculations. An insignificant effect: two possibilities. Consider a study in which How many subjects? The importance of sample size calculations Office of Research Protections Brown Bag Series KB Boomer, Ph.D. Director, boomer@stat.psu.edu A researcher conducts

More information

JOURNAL OF INVESTMENT MANAGEMENT, Vol. 1, No. 2, (2003), pp. 30 43 SHORT VOLATILITY STRATEGIES: IDENTIFICATION, MEASUREMENT, AND RISK MANAGEMENT 1

JOURNAL OF INVESTMENT MANAGEMENT, Vol. 1, No. 2, (2003), pp. 30 43 SHORT VOLATILITY STRATEGIES: IDENTIFICATION, MEASUREMENT, AND RISK MANAGEMENT 1 JOURNAL OF INVESTMENT MANAGEMENT, Vol. 1, No. 2, (2003), pp. 30 43 JOIM JOIM 2003 www.joim.com SHORT VOLATILITY STRATEGIES: IDENTIFICATION, MEASUREMENT, AND RISK MANAGEMENT 1 Mark Anson a, and Ho Ho a

More information

Investment Statistics: Definitions & Formulas

Investment Statistics: Definitions & Formulas Investment Statistics: Definitions & Formulas The following are brief descriptions and formulas for the various statistics and calculations available within the ease Analytics system. Unless stated otherwise,

More information

AH&T FIDUCIARY INVESTMENT REVIEW. December 31, 2011

AH&T FIDUCIARY INVESTMENT REVIEW. December 31, 2011 AH&T FIDUCIARY INVESTMENT REVIEW December 3, 2 FIDUCIARY INVESTMENT REVIEW AH&T presented by: Jim Maulfair Financial Services Director Armfield, Harrison & Thomas, Inc. 2 S. King St. Leesburg, VA 275 Phone:

More information

How Does My TI-84 Do That

How Does My TI-84 Do That How Does My TI-84 Do That A guide to using the TI-84 for statistics Austin Peay State University Clarksville, Tennessee How Does My TI-84 Do That A guide to using the TI-84 for statistics Table of Contents

More information

Portfolio Construction with OPTMODEL

Portfolio Construction with OPTMODEL ABSTRACT Paper 3225-2015 Portfolio Construction with OPTMODEL Robert Spatz, University of Chicago; Taras Zlupko, University of Chicago Investment portfolios and investable indexes determine their holdings

More information

Analyzing Portfolio Expected Loss

Analyzing Portfolio Expected Loss Analyzing Portfolio Expected Loss In this white paper we discuss the methodologies that Visible Equity employs in the calculation of portfolio expected loss. Portfolio expected loss calculations combine

More information

THE LOW-VOLATILITY ANOMALY: Does It Work In Practice?

THE LOW-VOLATILITY ANOMALY: Does It Work In Practice? THE LOW-VOLATILITY ANOMALY: Does It Work In Practice? Glenn Tanner McCoy College of Business, Texas State University, San Marcos TX 78666 E-mail: tanner@txstate.edu ABSTRACT This paper serves as both an

More information

Paper DV-06-2015. KEYWORDS: SAS, R, Statistics, Data visualization, Monte Carlo simulation, Pseudo- random numbers

Paper DV-06-2015. KEYWORDS: SAS, R, Statistics, Data visualization, Monte Carlo simulation, Pseudo- random numbers Paper DV-06-2015 Intuitive Demonstration of Statistics through Data Visualization of Pseudo- Randomly Generated Numbers in R and SAS Jack Sawilowsky, Ph.D., Union Pacific Railroad, Omaha, NE ABSTRACT Statistics

More information

DOWNSIDE RISK IMPLICATIONS FOR FINANCIAL MANAGEMENT ROBERT ENGLE PRAGUE MARCH 2005

DOWNSIDE RISK IMPLICATIONS FOR FINANCIAL MANAGEMENT ROBERT ENGLE PRAGUE MARCH 2005 DOWNSIDE RISK IMPLICATIONS FOR FINANCIAL MANAGEMENT ROBERT ENGLE PRAGUE MARCH 2005 RISK AND RETURN THE TRADE-OFF BETWEEN RISK AND RETURN IS THE CENTRAL PARADIGM OF FINANCE. HOW MUCH RISK AM I TAKING? HOW

More information

Dr Christine Brown University of Melbourne

Dr Christine Brown University of Melbourne Enhancing Risk Management and Governance in the Region s Banking System to Implement Basel II and to Meet Contemporary Risks and Challenges Arising from the Global Banking System Training Program ~ 8 12

More information

Covered Call Investing and its Benefits in Today s Market Environment

Covered Call Investing and its Benefits in Today s Market Environment ZIEGLER CAPITAL MANAGEMENT: MARKET INSIGHT & RESEARCH Covered Call Investing and its Benefits in Today s Market Environment Covered Call investing has attracted a great deal of attention from investors

More information

Stock Market Dashboard Back-Test October 29, 1998 March 29, 2010 Revised 2010 Leslie N. Masonson

Stock Market Dashboard Back-Test October 29, 1998 March 29, 2010 Revised 2010 Leslie N. Masonson Stock Market Dashboard Back-Test October 29, 1998 March 29, 2010 Revised 2010 Leslie N. Masonson My objective in writing Buy DON T Hold was to provide investors with a better alternative than the buy-and-hold

More information

15.496 Data Technologies for Quantitative Finance

15.496 Data Technologies for Quantitative Finance Paul F. Mende MIT Sloan School of Management Fall 2014 Course Syllabus 15.496 Data Technologies for Quantitative Finance Course Description. This course introduces students to financial market data and

More information

Statistics Review PSY379

Statistics Review PSY379 Statistics Review PSY379 Basic concepts Measurement scales Populations vs. samples Continuous vs. discrete variable Independent vs. dependent variable Descriptive vs. inferential stats Common analyses

More information

Paper PO 015. Figure 1. PoweReward concept

Paper PO 015. Figure 1. PoweReward concept Paper PO 05 Constructing Baseline of Customer s Hourly Electric Usage in SAS Yuqing Xiao, Bob Bolen, Diane Cunningham, Jiaying Xu, Atlanta, GA ABSTRACT PowerRewards is a pilot program offered by the Georgia

More information

SAS R IML (Introduction at the Master s Level)

SAS R IML (Introduction at the Master s Level) SAS R IML (Introduction at the Master s Level) Anton Bekkerman, Ph.D., Montana State University, Bozeman, MT ABSTRACT Most graduate-level statistics and econometrics programs require a more advanced knowledge

More information

StARScope: A Web-based SAS Prototype for Clinical Data Visualization

StARScope: A Web-based SAS Prototype for Clinical Data Visualization Paper 42-28 StARScope: A Web-based SAS Prototype for Clinical Data Visualization Fang Dong, Pfizer Global Research and Development, Ann Arbor Laboratories Subra Pilli, Pfizer Global Research and Development,

More information

Systat: Statistical Visualization Software

Systat: Statistical Visualization Software Systat: Statistical Visualization Software Hilary R. Hafner Jennifer L. DeWinter Steven G. Brown Theresa E. O Brien Sonoma Technology, Inc. Petaluma, CA Presented in Toledo, OH October 28, 2011 STI-910019-3946

More information

Internet/Intranet, the Web & SAS. II006 Building a Web Based EIS for Data Analysis Ed Confer, KGC Programming Solutions, Potomac Falls, VA

Internet/Intranet, the Web & SAS. II006 Building a Web Based EIS for Data Analysis Ed Confer, KGC Programming Solutions, Potomac Falls, VA II006 Building a Web Based EIS for Data Analysis Ed Confer, KGC Programming Solutions, Potomac Falls, VA Abstract Web based reporting has enhanced the ability of management to interface with data in a

More information

IMPORTANT RISK DISCLOSURE

IMPORTANT RISK DISCLOSURE IMPORTANT RISK DISCLOSURE Futures and forex trading is complex and carries the risk of substantial losses. It is not suitable for all investors. The ability to withstand losses and to adhere to a particular

More information

CITIGROUP INC. BASEL II.5 MARKET RISK DISCLOSURES AS OF AND FOR THE PERIOD ENDED MARCH 31, 2013

CITIGROUP INC. BASEL II.5 MARKET RISK DISCLOSURES AS OF AND FOR THE PERIOD ENDED MARCH 31, 2013 CITIGROUP INC. BASEL II.5 MARKET RISK DISCLOSURES AS OF AND FOR THE PERIOD ENDED MARCH 31, 2013 DATED AS OF MAY 15, 2013 Table of Contents Qualitative Disclosures Basis of Preparation and Review... 3 Risk

More information

Risk Visualization: Presenting Data to Facilitate Better Risk Management

Risk Visualization: Presenting Data to Facilitate Better Risk Management Track 4: New Dimensions in Financial Risk Management Risk Visualization: Presenting Data to Facilitate Better Risk Management 1:30pm 2:20pm Presenter: Jeffrey Bohn Senior Managing Director, Head of Portfolio

More information

EXPLORATORY DATA ANALYSIS: GETTING TO KNOW YOUR DATA

EXPLORATORY DATA ANALYSIS: GETTING TO KNOW YOUR DATA EXPLORATORY DATA ANALYSIS: GETTING TO KNOW YOUR DATA Michael A. Walega Covance, Inc. INTRODUCTION In broad terms, Exploratory Data Analysis (EDA) can be defined as the numerical and graphical examination

More information

EVALUATING THE PERFORMANCE CHARACTERISTICS OF THE CBOE S&P 500 PUTWRITE INDEX

EVALUATING THE PERFORMANCE CHARACTERISTICS OF THE CBOE S&P 500 PUTWRITE INDEX DECEMBER 2008 Independent advice for the institutional investor EVALUATING THE PERFORMANCE CHARACTERISTICS OF THE CBOE S&P 500 PUTWRITE INDEX EXECUTIVE SUMMARY The CBOE S&P 500 PutWrite Index (ticker symbol

More information

The Best of Both Worlds:

The Best of Both Worlds: The Best of Both Worlds: A Hybrid Approach to Calculating Value at Risk Jacob Boudoukh 1, Matthew Richardson and Robert F. Whitelaw Stern School of Business, NYU The hybrid approach combines the two most

More information

Multiple Graphs on One Page (Step-by-step approach) Yogesh Pande, Schering-Plough Corporation, Summit NJ

Multiple Graphs on One Page (Step-by-step approach) Yogesh Pande, Schering-Plough Corporation, Summit NJ Paper CC01 Multiple Graphs on One Page (Step-by-step approach) Yogesh Pande, Schering-Plough Corporation, Summit NJ ABSTRACT In statistical analysis and reporting, it is essential to provide a clear presentation

More information

PERFORMING DUE DILIGENCE ON NONTRADITIONAL BOND FUNDS. by Mark Bentley, Executive Vice President, BTS Asset Management, Inc.

PERFORMING DUE DILIGENCE ON NONTRADITIONAL BOND FUNDS. by Mark Bentley, Executive Vice President, BTS Asset Management, Inc. PERFORMING DUE DILIGENCE ON NONTRADITIONAL BOND FUNDS by Mark Bentley, Executive Vice President, BTS Asset Management, Inc. Investors considering allocations to funds in Morningstar s Nontraditional Bond

More information

Mutual Fund Investing Exam Study Guide

Mutual Fund Investing Exam Study Guide Mutual Fund Investing Exam Study Guide This document contains the questions that will be included in the final exam, in the order that they will be asked. When you have studied the course materials, reviewed

More information

How To Check For Differences In The One Way Anova

How To Check For Differences In The One Way Anova MINITAB ASSISTANT WHITE PAPER This paper explains the research conducted by Minitab statisticians to develop the methods and data checks used in the Assistant in Minitab 17 Statistical Software. One-Way

More information

Machine Learning in Stock Price Trend Forecasting

Machine Learning in Stock Price Trend Forecasting Machine Learning in Stock Price Trend Forecasting Yuqing Dai, Yuning Zhang yuqingd@stanford.edu, zyn@stanford.edu I. INTRODUCTION Predicting the stock price trend by interpreting the seemly chaotic market

More information

O Shaughnessy Screens

O Shaughnessy Screens O Shaughnessy Screens Andy Prophet SI-Pro UG: April 2007 O Shaughnessy Strategy Newest book: Predicting the Markets of Tomorrow: A Contrarian Investment Strategy for the Next Twenty Years, James O Shaughnessy,

More information

DISCLAIMER. A Member of Financial Group

DISCLAIMER. A Member of Financial Group Tactical ETF Approaches for Today s Investors Jaime Purvis, Executive Vice-President Horizons Exchange Traded Funds April 2012 DISCLAIMER Commissions, management fees and expenses all may be associated

More information

Final Exam Practice Problem Answers

Final Exam Practice Problem Answers Final Exam Practice Problem Answers The following data set consists of data gathered from 77 popular breakfast cereals. The variables in the data set are as follows: Brand: The brand name of the cereal

More information

Using Implied Volatility And Volume

Using Implied Volatility And Volume BASIC TECHNIQUES Forecasting Trends With Indexes Using Implied Volatility And Volume Construct a trend-following system that adjusts to current market conditions. T raditionally, technicians have relied

More information

From The Little SAS Book, Fifth Edition. Full book available for purchase here.

From The Little SAS Book, Fifth Edition. Full book available for purchase here. From The Little SAS Book, Fifth Edition. Full book available for purchase here. Acknowledgments ix Introducing SAS Software About This Book xi What s New xiv x Chapter 1 Getting Started Using SAS Software

More information

Exploratory Data Analysis in Finance Using PerformanceAnalytics

Exploratory Data Analysis in Finance Using PerformanceAnalytics Exploratory Data Analysis in Finance Using PerformanceAnalytics Brian G. Peterson & Peter Carl 1 Diamond Management & Technology Consultants Chicago, IL brian@braverock.com 2 Guidance Capital Chicago,

More information

2 Describing, Exploring, and

2 Describing, Exploring, and 2 Describing, Exploring, and Comparing Data This chapter introduces the graphical plotting and summary statistics capabilities of the TI- 83 Plus. First row keys like \ R (67$73/276 are used to obtain

More information

Using SAS/GRAPH Software to Create Graphs on the Web Himesh Patel, SAS Institute Inc., Cary, NC Revised by David Caira, SAS Institute Inc.

Using SAS/GRAPH Software to Create Graphs on the Web Himesh Patel, SAS Institute Inc., Cary, NC Revised by David Caira, SAS Institute Inc. Paper 189 Using SAS/GRAPH Software to Create Graphs on the Web Himesh Patel, SAS Institute Inc., Cary, NC Revised by David Caira, SAS Institute Inc., Cary, NC ABSTRACT This paper highlights some ways of

More information

Descriptive Statistics

Descriptive Statistics Y520 Robert S Michael Goal: Learn to calculate indicators and construct graphs that summarize and describe a large quantity of values. Using the textbook readings and other resources listed on the web

More information

The Equity Evaluations In. Standard & Poor s. Stock Reports

The Equity Evaluations In. Standard & Poor s. Stock Reports The Equity Evaluations In Standard & Poor s Stock Reports The Equity Evaluations in Standard & Poor s Stock Reports Standard & Poor's Stock Reports present an in-depth picture of each company's activities,

More information

Interpreting Data in Normal Distributions

Interpreting Data in Normal Distributions Interpreting Data in Normal Distributions This curve is kind of a big deal. It shows the distribution of a set of test scores, the results of rolling a die a million times, the heights of people on Earth,

More information

Integrating SAS with JMP to Build an Interactive Application

Integrating SAS with JMP to Build an Interactive Application Paper JMP50 Integrating SAS with JMP to Build an Interactive Application ABSTRACT This presentation will demonstrate how to bring various JMP visuals into one platform to build an appealing, informative,

More information

Data Cleaning 101. Ronald Cody, Ed.D., Robert Wood Johnson Medical School, Piscataway, NJ. Variable Name. Valid Values. Type

Data Cleaning 101. Ronald Cody, Ed.D., Robert Wood Johnson Medical School, Piscataway, NJ. Variable Name. Valid Values. Type Data Cleaning 101 Ronald Cody, Ed.D., Robert Wood Johnson Medical School, Piscataway, NJ INTRODUCTION One of the first and most important steps in any data processing task is to verify that your data values

More information

Black Box Trend Following Lifting the Veil

Black Box Trend Following Lifting the Veil AlphaQuest CTA Research Series #1 The goal of this research series is to demystify specific black box CTA trend following strategies and to analyze their characteristics both as a stand-alone product as

More information

Evaluating the results of a car crash study using Statistical Analysis System. Kennesaw State University

Evaluating the results of a car crash study using Statistical Analysis System. Kennesaw State University Running head: EVALUATING THE RESULTS OF A CAR CRASH STUDY USING SAS 1 Evaluating the results of a car crash study using Statistical Analysis System Kennesaw State University 2 Abstract Part 1. The study

More information

Java Modules for Time Series Analysis

Java Modules for Time Series Analysis Java Modules for Time Series Analysis Agenda Clustering Non-normal distributions Multifactor modeling Implied ratings Time series prediction 1. Clustering + Cluster 1 Synthetic Clustering + Time series

More information

Let SAS Write Your SAS/GRAPH Programs for You Max Cherny, GlaxoSmithKline, Collegeville, PA

Let SAS Write Your SAS/GRAPH Programs for You Max Cherny, GlaxoSmithKline, Collegeville, PA Paper TT08 Let SAS Write Your SAS/GRAPH Programs for You Max Cherny, GlaxoSmithKline, Collegeville, PA ABSTRACT Creating graphics is one of the most challenging tasks for SAS users. SAS/Graph is a very

More information

INCORPORATION OF LIQUIDITY RISKS INTO EQUITY PORTFOLIO RISK ESTIMATES. Dan dibartolomeo September 2010

INCORPORATION OF LIQUIDITY RISKS INTO EQUITY PORTFOLIO RISK ESTIMATES. Dan dibartolomeo September 2010 INCORPORATION OF LIQUIDITY RISKS INTO EQUITY PORTFOLIO RISK ESTIMATES Dan dibartolomeo September 2010 GOALS FOR THIS TALK Assert that liquidity of a stock is properly measured as the expected price change,

More information

FINANCIAL ECONOMICS OPTION PRICING

FINANCIAL ECONOMICS OPTION PRICING OPTION PRICING Options are contingency contracts that specify payoffs if stock prices reach specified levels. A call option is the right to buy a stock at a specified price, X, called the strike price.

More information

Big data in Finance. Finance Research Group, IGIDR. July 25, 2014

Big data in Finance. Finance Research Group, IGIDR. July 25, 2014 Big data in Finance Finance Research Group, IGIDR July 25, 2014 Introduction Who we are? A research group working in: Securities markets Corporate governance Household finance We try to answer policy questions

More information

Building a Web Based EIS for Data Analysis Ed Confer, KGC Programming Solutions, Potomac Falls, VA

Building a Web Based EIS for Data Analysis Ed Confer, KGC Programming Solutions, Potomac Falls, VA Building a Web Based EIS for Data Analysis Ed Confer, KGC Programming Solutions, Potomac Falls, VA Abstract Web based reporting has enhanced the ability of management to interface with data in a point

More information

Getting Correct Results from PROC REG

Getting Correct Results from PROC REG Getting Correct Results from PROC REG Nathaniel Derby, Statis Pro Data Analytics, Seattle, WA ABSTRACT PROC REG, SAS s implementation of linear regression, is often used to fit a line without checking

More information

NorthCoast Investment Advisory Team 203.532.7000 info@northcoastam.com

NorthCoast Investment Advisory Team 203.532.7000 info@northcoastam.com NorthCoast Investment Advisory Team 203.532.7000 info@northcoastam.com NORTHCOAST ASSET MANAGEMENT An established leader in the field of tactical investment management, specializing in quantitative research

More information

Sensex Realized Volatility Index

Sensex Realized Volatility Index Sensex Realized Volatility Index Introduction: Volatility modelling has traditionally relied on complex econometric procedures in order to accommodate the inherent latent character of volatility. Realized

More information

Understanding Market Volatility

Understanding Market Volatility Understanding Market Volatility The inherent nature of capital markets is that they are volatile to varying degrees. Understandably, whipsaw market conditions are a source of investor anxiety. In such

More information

UNDERSTANDING THE CHARACTERISTICS OF YOUR PORTFOLIO

UNDERSTANDING THE CHARACTERISTICS OF YOUR PORTFOLIO UNDERSTANDING THE CHARACTERISTICS OF YOUR PORTFOLIO Although I normally use this space to ruminate about various economic indicators and their implications, smartly advancing asset prices have encouraged

More information

Make Better Decisions with Optimization

Make Better Decisions with Optimization ABSTRACT Paper SAS1785-2015 Make Better Decisions with Optimization David R. Duling, SAS Institute Inc. Automated decision making systems are now found everywhere, from your bank to your government to

More information

FTS Real Time System Project: Portfolio Diversification Note: this project requires use of Excel s Solver

FTS Real Time System Project: Portfolio Diversification Note: this project requires use of Excel s Solver FTS Real Time System Project: Portfolio Diversification Note: this project requires use of Excel s Solver Question: How do you create a diversified stock portfolio? Advice given by most financial advisors

More information

Pop-Ups, Drill-Downs, and Animation Mike Zdeb, University@Albany School of Public Health, Rensselaer, NY

Pop-Ups, Drill-Downs, and Animation Mike Zdeb, University@Albany School of Public Health, Rensselaer, NY Paper 090-29 Pop-Ups, Drill-Downs, and Animation Mike Zdeb, University@Albany School of Public Health, Rensselaer, NY ABSTRACT Several features have been added to SAS/GRAPH that allow a user to go beyond

More information

Low-Volatility Investing for Retirement

Low-Volatility Investing for Retirement Low-Volatility Investing for Retirement MODERATOR Robert Laura President SYNERGOS Financial Group PANELISTS Frank Barbera Executive VP & Co-Portfolio Manager Company Paul Frank Lead Portfolio Manager Stadion

More information

Salary. Cumulative Frequency

Salary. Cumulative Frequency HW01 Answering the Right Question with the Right PROC Carrie Mariner, Afton-Royal Training & Consulting, Richmond, VA ABSTRACT When your boss comes to you and says "I need this report by tomorrow!" do

More information

Optimal trading? In what sense?

Optimal trading? In what sense? Optimal trading? In what sense? Market Microstructure in Practice 3/3 Charles-Albert Lehalle Senior Research Advisor, Capital Fund Management, Paris April 2015, Printed the April 13, 2015 CA Lehalle 1

More information

Graphing in SAS Software

Graphing in SAS Software Graphing in SAS Software Prepared by International SAS Training and Consulting Destiny Corporation 100 Great Meadow Rd Suite 601 - Wethersfield, CT 06109-2379 Phone: (860) 721-1684 - 1-800-7TRAINING Fax:

More information

INTERPRETING THE ONE-WAY ANALYSIS OF VARIANCE (ANOVA)

INTERPRETING THE ONE-WAY ANALYSIS OF VARIANCE (ANOVA) INTERPRETING THE ONE-WAY ANALYSIS OF VARIANCE (ANOVA) As with other parametric statistics, we begin the one-way ANOVA with a test of the underlying assumptions. Our first assumption is the assumption of

More information

Algorithmic Trading Session 1 Introduction. Oliver Steinki, CFA, FRM

Algorithmic Trading Session 1 Introduction. Oliver Steinki, CFA, FRM Algorithmic Trading Session 1 Introduction Oliver Steinki, CFA, FRM Outline An Introduction to Algorithmic Trading Definition, Research Areas, Relevance and Applications General Trading Overview Goals

More information

Profit Forecast Model Using Monte Carlo Simulation in Excel

Profit Forecast Model Using Monte Carlo Simulation in Excel Profit Forecast Model Using Monte Carlo Simulation in Excel Petru BALOGH Pompiliu GOLEA Valentin INCEU Dimitrie Cantemir Christian University Abstract Profit forecast is very important for any company.

More information

Understanding Investor Due Diligence

Understanding Investor Due Diligence JANUARY 2012 Understanding Investor Due Diligence Executive Summary T he investor due diligence process has evolved with the growth of the hedge fund industry. What was once a short and rather perfunctory

More information

CHAPTER 6. Topics in Chapter. What are investment returns? Risk, Return, and the Capital Asset Pricing Model

CHAPTER 6. Topics in Chapter. What are investment returns? Risk, Return, and the Capital Asset Pricing Model CHAPTER 6 Risk, Return, and the Capital Asset Pricing Model 1 Topics in Chapter Basic return concepts Basic risk concepts Stand-alone risk Portfolio (market) risk Risk and return: CAPM/SML 2 What are investment

More information