Applications Development

Size: px
Start display at page:

Download "Applications Development"

Transcription

1 Portfolio Backtesting: Using SAS to Generate Randomly Populated Portfolios for Investment Strategy Testing Xuan Liu, Mark Keintz Wharton Research Data Services Abstract One of the most regularly used SAS programs at our business school is to assess the investment returns from a randomly populated set of portfolios covering a student-specified historic period, rebalancing frequency, portfolio count, size, and type. The SAS program demonstrates how to deal with dynamically changing conditions, including periodic rebalancing, replacement of delisted stock, and shifting of stocks from one type of portfolio to another. The application is a good example of the effective use of hash tables, especially for tracking holdings, investment returns. 1. What is Backtesting and how does it work? Backtesting is the process of applying an investment strategy to historical financial information to asses the results (i.e. change in value). That is, it answers the question what if I had applied investment strategy X during the period Y?. The backtest application developed at the Wharton school, used for instructional rather than research purposes, is currently applied only to publically traded stocks. Later, in the Creating a Backtest section, we go over the more important considerations in creating a backtest program. However, as an example, a user might request a backtest of 4 portfolios, each with 20 stocks, for the period 2000 through The four portfolios might be from a cross-classification of (a) the top 20% of market capitalization (and bottom 20%) crossed with (b) top 20% and bottom 20% of book-to-market ratios. The user might rebalance the stocks every 3 months (i.e. redivide the investment equally among the stocks) and refill (i.e. replace no-longer eligible stocks) every 6 months. 2. Source file for Backtesting The source file used for Backtesting is prepared by merging monthly stocks data (for monthly prices and returns), event data (to track when stocks stopped or restarted trading), and annual accounting (for book equity data) data filed with the SEC. (shown in Figure 2.1). 1

2 Monthly Stocks&Event Files Annual accounting datafile Sourcefile for Backtesting Fig. 2.1 Data file used for Backtesting This yielded a monthly file, with changes in price, monthly cumulative returns, and yearly changes in book value). Because the data is sorted by stock identifier (STOCK_ID) and DATE, it allows the calculation of a monthly cumulative return (CUMRET0) for each stock in the dataset using the single month returns (RETURN), as below. CUMRET0 will be used later to determine the actual performance of each portfolio. /*Calculation of monthly cumulative returns */ data monthly_cumreturns; set monthly_file; by stockid date; if first.stock_id then do; if missing(return)=0 then cumret0=(1+return); else cumret0=1; else do; if missing(return)=0 then cumret0=cumret0*(1+return); else cumret0=cumret0; retain cumret0; Now, as mentioned earlier users may restrict portfolios to specific percentile ranges of variables like market capitalization (MARKETCAP). These percentiles (deciles in this example) are generated via PROC RANK for each refill date, as below: /*Portfolio deciles using the market cap criteria*/ proc sort data=monthly_cumreturns out=source; by date stockid; proc rank data=source out=temp group=10; by date; var marketcap; ranks rmarketcap; The resulting dataset looks like this: 2

3 stock_id date Exampleofth edatafileusedforbacktesting Return Cumret0 marketcap (Marketcap) Table 2.1 Data file used for Backtesting rmarketcap (Rankfor marketcap) Creating a Backtest Once the primary file has been created, the backtest can be defined throughh these parameters: Structural Parameters: - Date range of the investment. - Number of portfolios and amount invested in each portfolio. - Number of stocks in each portfolio. - Rebalancing Frequency: For portfolios designated as equally weighted the stocks in each portfolio are periodically reallocated so they have equal value. (Portfolios that are value weighted are not rebalanced). - Refilling Frequency: The frequency of determining whether a stock still qualifies for a portfolio (seee Portfolio Criteria below) and replacing the stock if it doesn t. Portfolio Criteria (these are specified in date-specific percentile, not absolute values): - Market capitalization: the total value of all publically traded shares for a firm. - Book-to-Market Ratio: the accounting value of a firm vs. its market capitalization. - Lagged Returns: the return for the previous fiscal period. - P/ /E Ratio: Ratio of the price of each share to the company earnings per share - Price: Price of a share. The process of taking these parameters and generating a backtest is displayed in the following figure: Initialcash Startandenddate Stocksperportfolio Typeofportfolio weighting(market caporequal weighted) rebalance&refill period Screening(optional) Screenbydeciles.Screen metricsaremarketcap, booktomarketratio, earningstopriceratioorlag returns,priceetc.) keepeverythinginone portfolio Usedeifferentmetricsto dividesecuriesintomultiple potfolios Partition(optional) Analysis Sourcefilesetup Fig. 3.1 Creating a Backtest 3

4 This introduces a number of programming tasks. The primary tasks are: 1. For the start date and each refill date, generate percentiles for the portfolio criteria. 2. At the start date, randomly draw stocks for each portfolio from qualifying stock. 3. Track monthly cumulative return (i.e. cumulative increase or decrease) in the value of each stock in each portfolio. Each stock is tracked so that rebalancing can be done, if needed. 4. If a stock stops trading at any point, reallocate its residual value to the rest of the portfolio. 5. At every refill point, keep all stocks in the portfolio that are still eligible (buy and hold) and randomly select replacements for all stocks no longer eligible. By default, all available securities are considered for inclusion in the backtest. The universe can be filtered by adding one or more screens based on the portfolio criteria (expressed in deciles in this paper). Multiple portfolios can be created by dividing securities into distinct partitions based on the value of one or two metrics. For example, using two metrics, book to market and price with 2 partitions for book-to-market and 3 partitions for price will result in 6 portfolios. Once the portfolio is constructed, performance of each portfolio will be analyzed. 4. Portfolios are populated by randomly selected securities During the creation of a backtest, securities within a portfolio are randomly selected, which is made possible by generation of a random number for each stock_id, /*randomization of the stocks*/ proc sort data=inds out=outds; by stock_id date; %let seed =10; data randomized_stocks / view = randomized_stocks; set outds; by stock_id; retain ru; if first.stock_id then ru=ranuni(&seed); output; inds is the input dataset with one record per stock_id - date. outds is the output dataset with added random variable sorted by stock_id - date. ru is the random variable generated from the seed. A constant unique random value is generated for each stock_id. Each call with different seed will cause a new set of random numbers generated for the stock_ids (See table 4.1). ru ru stock_id date (seed=10) (seed=30) Table 4.1 Sample outputs with different seed 4

5 5. The refill process People buy and hold securities for a certain period of time. During the holding period, some stocks may disappear due to delisting or become disqualified using the initial portfolio set up criteria. In either case, the size of the portfolio shrinks. To bring the portfolio back to its original size, a refill process is performed on each user specified date. One possible problem that can distort the refill process is the possibility that a stock can cease trading (become delisted ) and later reappear on the market. If the stock retains the same randomly assigned priority used in the initial sampling then it would be included in the refill event after its re-entry on the market. In order to avoid this problem we used the following approach: generate the random number that associates with the date variable and assign a stage variable to indicate its on-off appearance if any. Whenever the stock reappears, generate a new random number for that stock. Sort the stock pool by date and random number. When it is the time for refill, the first nth stocks (n is the number of stocks asked by the user) should be selected to form the desired portfolio. /* Randomization procedure used for portfolio Buy & Hold and Refill process*/ data stocks_held(drop=lagdate); set stocks; by stock_id; retain ru stage; lagdate = lag(date); if first.stock_id then do; stage =1; ru = date + ranuni(&seed); else if intck('month', lagdate, date)>1 then do; stage = stage +1; ru = date + ranuni(&seed); proc sort data= stocks_held; by date ru; 6. Rebalance Rebalancing brings your portfolio back to your original asset allocation mix. This is necessary because over time some of your investments may become out of alignment. Table 6.1 illustrates a simple example for equal- weighted portfolio with two stocks, 5

6 OnJan31,1990,Initialcash:$120.Bought12sharesofstock1and15sharesofstock2 stock_id=1 Stock_id=2 total Date price cumret0 money money amountin return Price return cumret0 forstock1 invested invested Portfolio $5. 1 $60 $4. 1 $60 $ $ $72 $ $75 $ $ $120 $ $90 $210 OnApril1,1990,theportfolioisrebalanced.Initialcash:$210.Sold1.5sharesofstock1andpurchased2.5sharesofstock $ $126 $ $175 $ $ $157.5 $ $175 $ $ $189 $ $210 $399 OnJuly1,1990,,theportfolioisrebalanced.Initialcash:$399.Bought0.583sharesofstock1andsold0.875sharesofstock2 Note:$399=$210*[( )*( )*( )+( )*( )*( )]/2 =$210*(3.6000/ /1.5000)/2 Table 6.1 Equal- weighted portfolio with two stocks The task is to calculate the cumret0 divide by the cumret0 at beginning of the rebalance period (denoted by eq_rebal_wgt in the following SAS code). The following SAS uses SAS hash object. It can quickly retrieve cumret_rebal_start (cumret0 at beginning of the rebalance period). The hash object is uniquely suited to this step in the process. Not only does it provide a quick lookup of the starting values for each stock, it easily accommodates the changing composition of a portfolio, and updating of those values in place. The result is listed in table 6.2. /* equal- weighted portfolio rebalance weight calculation for a single stock*/ data bal_source; if _n_=1 then do; declare hash ht(); ht.definekey("stock_id"); ht.definedata("cumret_rebal_start"); ht.definedone(); set source_sample end=done; if rebal_flag=1 then do; cumret_rebal_start= (cumret0)/ (1+return); rc=ht.replace(); else do; rc=ht.find(); drop rc; eq_rebal_wgt = cumret0 / cumret_rebal_start; return cumret0 rebal_flag cumret_rebal_start eq_rebal_wgt date Stock_id= Table 6.2 Calculation of eq_rebal_wgt 6

7 Once eq_rebal_wgt is calculated for all the stocks, the rebalance weight for the portfolio (p_rebal_wt) can easily be calculated by use of proc means on eq_rebal_wgt as following, /* equal- weighted portfolio rebalance weight calculation*/ proc means data= bal_source ; class portfolio_id date;/*date here corresponds to rebalance date.*/ var eq_rebal_wgt ; output out = outds mean(eq_rebal_wgt)= p_rebal_wt; Conclusion This paper focuses on the randomization procedure used for portfolio construction for backtesting, as well as how the portfolio is refilled and rebalanced during its evolution. The randomization procedure is designed to accommodate the buy-and-hold strategy of portfolio management. We also illustrate how a SAS hash object is used for fast and simple retrieval of stock cumulative returns, making the calculation of multi-stock portfolio returns a simple use of proc means. CONTACT INFORMATION Author: Address: Xuan Liu Wharton Research Data Services 216 Vance Hall 3733 Spruce St Philadelphia, PA xuanliu@wharton.upenn.edu Author: Address: Mark Keintz Wharton Research Data Services 216 Vance Hall 3733 Spruce St Philadelphia, PA mkeintz@wharton.upenn.edu TRADEMARKS 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. 7

Indxx SuperDividend U.S. Low Volatility Index

Indxx SuperDividend U.S. Low Volatility Index www.indxx.com Indxx SuperDividend U.S. Low Volatility Index Methodology May 2015 INDXX, LLC has been granted a license by Global X Management Company LLC to use SuperDividend. SuperDividend is a trademark

More information

Statistics and Analysis. Quality Control: How to Analyze and Verify Financial Data

Statistics and Analysis. Quality Control: How to Analyze and Verify Financial Data Abstract Quality Control: How to Analyze and Verify Financial Data Michelle Duan, Wharton Research Data Services, Philadelphia, PA As SAS programmers dealing with massive financial data from a variety

More information

Investing in Projected Russell 2000 Stock Additions: A Viable Investment Strategy or a Loser s Game?

Investing in Projected Russell 2000 Stock Additions: A Viable Investment Strategy or a Loser s Game? May 2011 Investing in Projected Russell 2000 Stock Additions: Abstract Existing studies on the annual rebalancing of the Russell indexes utilize the actual additions and deletions of these indexes to draw

More information

Finding National Best Bid and Best Offer

Finding National Best Bid and Best Offer ABSTRACT Finding National Best Bid and Best Offer Mark Keintz, Wharton Research Data Services U.S. stock exchanges (currently there are 12) are tracked in real time via the Consolidated Trade System (CTS)

More information

S&P 500 Low Volatility Index

S&P 500 Low Volatility Index S&P 500 Low Volatility Index Craig J. Lazzara, CFA S&P Indices December 2011 For Financial Professional/Not for Public Distribution There s nothing passive about how you invest. PROPRIETARY. Permission

More information

WEATHERSTORM FORENSIC ACCOUNTING LONG-SHORT INDEX. External Index Methodology Document

WEATHERSTORM FORENSIC ACCOUNTING LONG-SHORT INDEX. External Index Methodology Document WEATHERSTORM FORENSIC ACCOUNTING LONG-SHORT INDEX External Index Methodology Document 6/18/2015 CONTENTS 1 Index Overview... 2 2 Index Construction Methodology... 2 2.1 Index Constitution... 2 2.2 Universe

More information

Cash Flow-Based Value Investing in the Hong Kong Stock Market

Cash Flow-Based Value Investing in the Hong Kong Stock Market Value Partners Center for Investing Cash Flow-Based Value Investing in the Hong Kong Stock Market January 8, 2013 Sponsored by: Cash Flow-Based Value Investing in the Hong Kong Stock Market Introduction

More information

Introduction Manual CRSP (WRDS)

Introduction Manual CRSP (WRDS) Author Kenneth In Kyun Ernst Jørgensen Peter Kjærsgaard-Andersen Introduction Manual CRSP (WRDS) Description Introduction to the database CRSP. The database contains time-series data on US securities.

More information

Performing equity investment simulations with the portfoliosim package

Performing equity investment simulations with the portfoliosim package Performing equity investment simulations with the portfoliosim package Kyle Campbell, Jeff Enos, and David Kane February 18, 2010 Abstract The portfoliosim package provides a flexible system for back-testing

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

S&P Dow Jones Indices Announces Consultation on Equity Indices

S&P Dow Jones Indices Announces Consultation on Equity Indices S&P Dow Jones Indices Announces Consultation on Equity Indices CONSULTATION S&P Dow Jones Indices (S&P DJI) is conducting a consultation with members of the investment community on the following potential

More information

Risk Budgeting. Northfield Information Services Newport Conference June 2005 Sandy Warrick, CFA

Risk Budgeting. Northfield Information Services Newport Conference June 2005 Sandy Warrick, CFA Risk Budgeting Northfield Information Services Newport Conference June 2005 Sandy Warrick, CFA 1 What is Risk Budgeting? Risk budgeting is the process of setting and allocating active (alpha) risk to enhance

More information

Subsetting Observations from Large SAS Data Sets

Subsetting Observations from Large SAS Data Sets Subsetting Observations from Large SAS Data Sets Christopher J. Bost, MDRC, New York, NY ABSTRACT This paper reviews four techniques to subset observations from large SAS data sets: MERGE, PROC SQL, user-defined

More information

Income dividend distributions and distribution yields

Income dividend distributions and distribution yields Income dividend distributions and distribution yields Why do they vary from period to period and fund to fund? JULY 2015 Investors often rely on income dividend distributions from mutual funds to satisfy

More information

Delisting returns and their effect on accounting-based market anomalies $

Delisting returns and their effect on accounting-based market anomalies $ Journal of Accounting and Economics 43 (2007) 341 368 www.elsevier.com/locate/jae Delisting returns and their effect on accounting-based market anomalies $ William Beaver a, Maureen McNichols a,, Richard

More information

How to Screen for Winning Stocks

How to Screen for Winning Stocks How to Screen for Winning Stocks A Brief Guide to 9 Backtested Strategies By Kurtis Hemmerling Published by Kurtis Hemmerling at Smashwords Copyright 2011 Kurtis Hemmerling Table of Contents Message to

More information

Leads and Lags: Static and Dynamic Queues in the SAS DATA STEP

Leads and Lags: Static and Dynamic Queues in the SAS DATA STEP Paper 7-05 Leads and Lags: Static and Dynamic Queues in the SAS DATA STEP Mark Keintz, Wharton Research Data Services ABSTRACT From stock price histories to hospital stay records, analysis of time series

More information

ISE CLOUD COMPUTING TM INDEX

ISE CLOUD COMPUTING TM INDEX Index Methodology Guide ISE CLOUD COMPUTING TM INDEX Issue 1.3 Issue date: August 28, 2015 Produced by:, LLC 60 Broad Street, New York NY 10004 www.ise.com The information contained in this document is

More information

Guide to the Dow Jones BRIC 50 All DR 10% Volatility Risk Control Index SM

Guide to the Dow Jones BRIC 50 All DR 10% Volatility Risk Control Index SM Guide to the Dow Jones BRIC 50 All DR 10% Volatility Risk Control Index SM Contents 01. Introduction...3 02. Key Features...3 2.1 Base Date and Value...3 2.2 Dividend Treatment...3 2.3 Dissemination...3

More information

Templates available in Excel 97 (Excel 8) and higher versions:

Templates available in Excel 97 (Excel 8) and higher versions: Excel Templates Templates available in Excel 97 (Excel 8) and higher versions: All of the Excel templates in Research Insight can be customized to fit your own particular needs. Company Fundamental Analysis

More information

Definitions of Earnings Quality Factors

Definitions of Earnings Quality Factors Definitions of Earnings Quality Factors 1. Total Accruals to Total Assets: A company s reported earnings are made up of cash received and changes to accrual accounts and thus a company s earnings will

More information

Vanguard research August 2015

Vanguard research August 2015 The buck value stops of managed here: Vanguard account advice money market funds Vanguard research August 2015 Cynthia A. Pagliaro and Stephen P. Utkus Most participants adopting managed account advice

More information

Index Guide. USD Net Total Return DB Equity Quality Factor Index. Date: [ ] 2013 Version: [1]/2013

Index Guide. USD Net Total Return DB Equity Quality Factor Index. Date: [ ] 2013 Version: [1]/2013 Index Guide: USD Net Total Return DB Equity Quality Factor Index Index Guide Date: [ ] 2013 Version: [1]/2013 The ideas discussed in this document are for discussion purposes only. Internal approval is

More information

Evolving beyond plain vanilla ETFs

Evolving beyond plain vanilla ETFs SCHWAB CENTER FOR FINANCIAL RESEARCH Journal of Investment Research Evolving beyond plain vanilla ETFs Anthony B. Davidow, CIMA Vice President, Alternative Beta and Asset Allocation Strategist, Schwab

More information

Data Mining: An Overview of Methods and Technologies for Increasing Profits in Direct Marketing. C. Olivia Rud, VP, Fleet Bank

Data Mining: An Overview of Methods and Technologies for Increasing Profits in Direct Marketing. C. Olivia Rud, VP, Fleet Bank Data Mining: An Overview of Methods and Technologies for Increasing Profits in Direct Marketing C. Olivia Rud, VP, Fleet Bank ABSTRACT Data Mining is a new term for the common practice of searching through

More information

Paper 109-25 Merges and Joins Timothy J Harrington, Trilogy Consulting Corporation

Paper 109-25 Merges and Joins Timothy J Harrington, Trilogy Consulting Corporation Paper 109-25 Merges and Joins Timothy J Harrington, Trilogy Consulting Corporation Abstract This paper discusses methods of joining SAS data sets. The different methods and the reasons for choosing a particular

More information

Calculation Guideline. Solactive US High Dividend Low Volatility Index TR

Calculation Guideline. Solactive US High Dividend Low Volatility Index TR Calculation Guideline Solactive US High Dividend Low Volatility Index TR Version 1.0 dated September 18 th, 2014 1 Contents Introduction 1 Index specifications 1.1 Index codes and tickers 1.2 Initial value

More information

Target-Date Funds: The Search for Transparency

Target-Date Funds: The Search for Transparency Target-Date Funds: The Search for Transparency Presented by: Joachim Wettermark, Treasurer Salesforce.com, inc. Linda Ruiz-Zaiko, President Financial, Inc. Qualified Default Investment Alternative (QDIA)

More information

Direct Marketing Profit Model. Bruce Lund, Marketing Associates, Detroit, Michigan and Wilmington, Delaware

Direct Marketing Profit Model. Bruce Lund, Marketing Associates, Detroit, Michigan and Wilmington, Delaware Paper CI-04 Direct Marketing Profit Model Bruce Lund, Marketing Associates, Detroit, Michigan and Wilmington, Delaware ABSTRACT A net lift model gives the expected incrementality (the incremental rate)

More information

ISE CYBER SECURITY TM INDEX

ISE CYBER SECURITY TM INDEX Index Methodology Guide ISE CYBER SECURITY TM INDEX Issue 2.0 Issue date: August 28, 2015 Produced by:, LLC 60 Broad Street, New York NY 10004 www.ise.com The information contained in this document is

More information

Permuted-block randomization with varying block sizes using SAS Proc Plan Lei Li, RTI International, RTP, North Carolina

Permuted-block randomization with varying block sizes using SAS Proc Plan Lei Li, RTI International, RTP, North Carolina Paper PO-21 Permuted-block randomization with varying block sizes using SAS Proc Plan Lei Li, RTI International, RTP, North Carolina ABSTRACT Permuted-block randomization with varying block sizes using

More information

MEMORANDUM. 1. Set interviews for fixed income management firms for the June Banking Committee meeting.

MEMORANDUM. 1. Set interviews for fixed income management firms for the June Banking Committee meeting. B.C. 3 MEMORANDUM To: From: Subject: Banking Committee Board Office Fixed Income Manager Date: May 7, 2001 Recommended Action: 1. Set interviews for fixed income management firms for the June Banking Committee

More information

LEADS AND LAGS: HANDLING QUEUES IN THE SAS DATA STEP

LEADS AND LAGS: HANDLING QUEUES IN THE SAS DATA STEP LEADS AND LAGS: HANDLING QUEUES IN THE SAS DATA STEP Mark Keintz, Wharton Research Data Services, University of Pennsylvania ASTRACT From stock price histories to hospital stay records, analysis of time

More information

Paper PO06. Randomization in Clinical Trial Studies

Paper PO06. Randomization in Clinical Trial Studies Paper PO06 Randomization in Clinical Trial Studies David Shen, WCI, Inc. Zaizai Lu, AstraZeneca Pharmaceuticals ABSTRACT Randomization is of central importance in clinical trials. It prevents selection

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

Table 1. The Number of Follow-on Offerings by Year, 1970-2011

Table 1. The Number of Follow-on Offerings by Year, 1970-2011 These tables, prepared with the assistance of Leming Lin, report the long-run performance of Seasoned Equity Offerings (SEOs) from 1970-2011, and thus update the results in The New Issues Puzzle in the

More information

Variable Universal Life Insurance Policy

Variable Universal Life Insurance Policy May 1, 2015 State Farm Life Insurance Company P R O S P E C T U S Variable Universal Life Insurance Policy prospectus PROSPECTUS DATED MAY 1, 2015 INDIVIDUAL FLEXIBLE PREMIUM VARIABLE UNIVERSAL LIFE INSURANCE

More information

Screening: The First Step for Finding Winning Stocks. John M. Bajkowski johnb@aaii.com

Screening: The First Step for Finding Winning Stocks. John M. Bajkowski johnb@aaii.com Screening: The First Step for Finding Winning Stocks John M. Bajkowski johnb@aaii.com 1 Discussion Overview A computerized screening program can be used to locate/analyze stocks in an organized, systematic,

More information

Quantitative Equity Strategy

Quantitative Equity Strategy Inigo Fraser Jenkins Inigo.fraser-jenkins@nomura.com +44 20 7102 4658 Nomura Global Quantitative Equity Conference in London Quantitative Equity Strategy May 2011 Nomura International plc Contents t Performance

More information

A Faster Index for sorted SAS Datasets

A Faster Index for sorted SAS Datasets A Faster Index for sorted SAS Datasets Mark Keintz Wharton Research Data Services, Philadelphia PA ABSTRACT In a NESUG 2007 paper with Shuguang Zhang, I demonstrated a condensed index which provided significant

More information

CNX NIFTY. Index Methodology. Contact:

CNX NIFTY. Index Methodology. Contact: CNX NIFTY Index Methodology Contact: Email: iisl@nse.co.in Tel: +91 22 26598386 Address: Exchange Plaza, Bandra Kurla Complex, Bandra (East), Mumbai 400 051(India) 1 Table of Contents Sr. No Content Page

More information

Introduction to WRDS and Using the Web-Interface to Extract Data and Run an EVENTUS Query

Introduction to WRDS and Using the Web-Interface to Extract Data and Run an EVENTUS Query Introduction to WRDS and Using the Web-Interface to Extract Data and Run an EVENTUS Query Vivek Nawosah Xfi Centre for Finance & Investment University of Exeter January 10, 2007 Outline Introduction to

More information

Are High-Quality Firms Also High-Quality Investments?

Are High-Quality Firms Also High-Quality Investments? FEDERAL RESERVE BANK OF NEW YORK IN ECONOMICS AND FINANCE January 2000 Volume 6 Number 1 Are High-Quality Firms Also High-Quality Investments? Peter Antunovich, David Laster, and Scott Mitnick The relationship

More information

Value versus Growth in the UK Stock Market, 1955 to 2000

Value versus Growth in the UK Stock Market, 1955 to 2000 Value versus Growth in the UK Stock Market, 1955 to 2000 Elroy Dimson London Business School Stefan Nagel London Business School Garrett Quigley Dimensional Fund Advisors May 2001 Work in progress Preliminary

More information

Guidance on Performance Attribution Presentation

Guidance on Performance Attribution Presentation Guidance on Performance Attribution Presentation 2004 EIPC Page 1 of 13 Section 1 Introduction Performance attribution has become an increasingly valuable tool not only for assessing asset managers skills

More information

Catalyst Insider Buying Fund INSAX INSCX INSIX

Catalyst Insider Buying Fund INSAX INSCX INSIX Investor Presentation 4Q2014 Website: www.catalystmf.com Phone: 646-827-2761 E-mail: info@catalystmf.com Catalyst Insider Buying Fund INSAX INSCX INSIX Client Approved See Slide 9 for Standard Performance

More information

MSCI Global Investable Market Indices Methodology

MSCI Global Investable Market Indices Methodology MSCI Global Investable Market Indices Methodology Index Construction Objectives, Guiding Principles and Methodology for the MSCI Global Investable Market Indices Contents Outline of the Methodology Book...

More information

Ground Rules. FTSE NAREIT Preferred Stock Index v1.2

Ground Rules. FTSE NAREIT Preferred Stock Index v1.2 Ground Rules FTSE NAREIT Preferred Stock Index v1.2 ftserussell.com November 2015 Contents 1.0 Introduction... 3 2.0 Statement of Principles... 5 3.0 Management Responsibilities... 6 4.0 Algorithm and

More information

THE U.S. INFRASTRUCTURE EFFECT INTERVIEW BY CAROL CAMERON

THE U.S. INFRASTRUCTURE EFFECT INTERVIEW BY CAROL CAMERON This interview originally appeared in the Summer 24 edition of InSIGHTS, a quarterly publication from S&P Dow Jones Indices. THE U.S. INFRASTRUCTURE EFFECT INTERVIEW BY CAROL CAMERON Every four years,

More information

How To Outperform The High Yield Index

How To Outperform The High Yield Index ROCK note December 2010 Managing High Yield public small caps with Robeco s corporate bond selection model COALA For professional investors only By Sander Bus, CFA, portfolio manager Daniël Haesen, CFA,

More information

Social Security Alternative Retirement Income Security Program for Other Personal Service Employees

Social Security Alternative Retirement Income Security Program for Other Personal Service Employees EXHIBIT 1 Social Security Alternative Retirement Income Security Program for Other Personal Service Employees Investment Procedures for Product Selection and Retention TABLE OF CONTENTS I. PURPOSE... 3

More information

Role of Customer Response Models in Customer Solicitation Center s Direct Marketing Campaign

Role of Customer Response Models in Customer Solicitation Center s Direct Marketing Campaign Role of Customer Response Models in Customer Solicitation Center s Direct Marketing Campaign Arun K Mandapaka, Amit Singh Kushwah, Dr.Goutam Chakraborty Oklahoma State University, OK, USA ABSTRACT Direct

More information

Corporate Office 19200 Von Karman Ave Suite 150 Irvine, California 92612-8501. Toll Free: 888-643-3133 Fax: 949-502-0048 www.ifa.

Corporate Office 19200 Von Karman Ave Suite 150 Irvine, California 92612-8501. Toll Free: 888-643-3133 Fax: 949-502-0048 www.ifa. Corporate Office 19200 Von Karman Ave Suite 150 Irvine, California 92612-8501 Toll Free: 888-643-3133 Fax: 949-502-0048 www.ifa.com All Dimensional portfolio returns are net of all fees unless otherwise

More information

PROC SQL for SQL Die-hards Jessica Bennett, Advance America, Spartanburg, SC Barbara Ross, Flexshopper LLC, Boca Raton, FL

PROC SQL for SQL Die-hards Jessica Bennett, Advance America, Spartanburg, SC Barbara Ross, Flexshopper LLC, Boca Raton, FL PharmaSUG 2015 - Paper QT06 PROC SQL for SQL Die-hards Jessica Bennett, Advance America, Spartanburg, SC Barbara Ross, Flexshopper LLC, Boca Raton, FL ABSTRACT Inspired by Christianna William s paper on

More information

CME EQUITY INDEX FUTURES AND OPTIONS. Information Guide

CME EQUITY INDEX FUTURES AND OPTIONS. Information Guide CME EQUITY INDEX FUTURES AND OPTIONS Information Guide 2005 Table of Contents INTRODUCTION 3 SECTION I: UNDERSTANDING THE INDEXES S&P 500, MidCap 400 TM, and SmallCap 600 TM Indexes 6 NASDAQ-100 and NASDAQ

More information

THE POWER OF PROC FORMAT

THE POWER OF PROC FORMAT THE POWER OF PROC FORMAT Jonas V. Bilenas, Chase Manhattan Bank, New York, NY ABSTRACT The FORMAT procedure in SAS is a very powerful and productive tool. Yet many beginning programmers rarely make use

More information

Nine Questions Every ETF Investor Should Ask Before Investing

Nine Questions Every ETF Investor Should Ask Before Investing Nine Questions Every ETF Investor Should Ask Before Investing UnderstandETFs.org Copyright 2012 by the Investment Company Institute. All rights reserved. ICI permits use of this publication in any way,

More information

Table Lookups: From IF-THEN to Key-Indexing

Table Lookups: From IF-THEN to Key-Indexing Paper 158-26 Table Lookups: From IF-THEN to Key-Indexing Arthur L. Carpenter, California Occidental Consultants ABSTRACT One of the more commonly needed operations within SAS programming is to determine

More information

Morningstar Core Equities Portfolio

Morningstar Core Equities Portfolio Morningstar Core Equities Portfolio Managed Portfolio Disclosure Document for members dated 29/02/2016. The Portfolio Manager is Morningstar Australasia Pty Limited (ABN 95 090 665 544, AFSL 240892). Issued

More information

RAFI Bonds US High Yield 1-10 Index

RAFI Bonds US High Yield 1-10 Index Index Methodology & Standard Treatment REVISED: 8.31.2013 RAFI Bonds US High Yield 1-10 Index A Research Affiliates Fundamental Index Strategy as designed by Ryan ALM, Inc. Index Division DISCLAIMER: Both

More information

SAS and Electronic Mail: Send e-mail faster, and DEFINITELY more efficiently

SAS and Electronic Mail: Send e-mail faster, and DEFINITELY more efficiently Paper 78-26 SAS and Electronic Mail: Send e-mail faster, and DEFINITELY more efficiently Roy Fleischer, Sodexho Marriott Services, Gaithersburg, MD Abstract With every new software package I install, I

More information

MSCI Global Investable Market Indices Methodology

MSCI Global Investable Market Indices Methodology MSCI Global Investable Market Indices Methodology Index Construction Objectives, Guiding Principles and Methodology for the MSCI Global Investable Market Indices Contents Outline of the Methodology Book...

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

AN INSIDE LOOK AT S&P MILA 40

AN INSIDE LOOK AT S&P MILA 40 DID YOU KNOW? This article originally appeared in the Summer 2013 edition of INSIGHTS, a quarterly publication from S&P DJI, and summarizes key aspects of the S&P MILA 40 Index originally featured in Benchmarking

More information

Results of the 2014 FTSE NAREIT U.S. Real Estate Index Series Consultation

Results of the 2014 FTSE NAREIT U.S. Real Estate Index Series Consultation Index Enhancement June 2015 Results of the 2014 FTSE NAREIT U.S. Real Estate Index Series Consultation In 2014 FTSE and NAREIT invited market participants and interested parties to participate in a consultation

More information

292 INDEX. Growth and income style of trading, 12 13 winning strategies (see Winning growth and income strategies)

292 INDEX. Growth and income style of trading, 12 13 winning strategies (see Winning growth and income strategies) Index Aggressive growth strategies, 56 70 all-cap growth, 61 63 call options, 274 first profit, 68 70 generally, 11 market capitalization study, 65 methodology, 56 59, 61 62, 67, 69 70 1-week rebalance

More information

The Value Premium in Small-Size Stocks

The Value Premium in Small-Size Stocks Capturing the Value Premium in the U.K. 1955-2001 Elroy Dimson Stefan Nagel Garrett Quigley January 2003 Forthcoming in the Financial Analysts Journal Elroy Dimson is Professor of Finance at London Business

More information

9 Questions Every Australian Investor Should Ask Before Investing in an Exchange Traded Fund (ETF)

9 Questions Every Australian Investor Should Ask Before Investing in an Exchange Traded Fund (ETF) SPDR ETFs 9 Questions Every Australian Investor Should Ask Before Investing in an Exchange Traded Fund (ETF) 1. What is an ETF? 2. What kinds of ETFs are available? 3. How do ETFs differ from other investment

More information

Building and Interpreting Custom Investment Benchmarks

Building and Interpreting Custom Investment Benchmarks Building and Interpreting Custom Investment Benchmarks A White Paper by Manning & Napier www.manning-napier.com Unless otherwise noted, all fi gures are based in USD. 1 Introduction From simple beginnings,

More information

Different ways of calculating percentiles using SAS Arun Akkinapalli, ebay Inc, San Jose CA

Different ways of calculating percentiles using SAS Arun Akkinapalli, ebay Inc, San Jose CA Different ways of calculating percentiles using SAS Arun Akkinapalli, ebay Inc, San Jose CA ABSTRACT Calculating percentiles (quartiles) is a very common practice used for data analysis. This can be accomplished

More information

9 Questions Every ETF Investor Should Ask Before Investing

9 Questions Every ETF Investor Should Ask Before Investing 9 Questions Every ETF Investor Should Ask Before Investing 1. What is an ETF? 2. What kinds of ETFs are available? 3. How do ETFs differ from other investment products like mutual funds, closed-end funds,

More information

This form consists of 3 separate sections. Please read each section carefully.

This form consists of 3 separate sections. Please read each section carefully. 32A28 CHANGE OF INVESTMENT Application form You or your financial adviser can alter your existing investment choice at any time on our website royallondon.com, if you/they have the required permissions.

More information

IBM SPSS Direct Marketing 23

IBM SPSS Direct Marketing 23 IBM SPSS Direct Marketing 23 Note Before using this information and the product it supports, read the information in Notices on page 25. Product Information This edition applies to version 23, release

More information

The Science and Art of Market Segmentation Using PROC FASTCLUS Mark E. Thompson, Forefront Economics Inc, Beaverton, Oregon

The Science and Art of Market Segmentation Using PROC FASTCLUS Mark E. Thompson, Forefront Economics Inc, Beaverton, Oregon The Science and Art of Market Segmentation Using PROC FASTCLUS Mark E. Thompson, Forefront Economics Inc, Beaverton, Oregon ABSTRACT Effective business development strategies often begin with market segmentation,

More information

Health Services Research Utilizing Electronic Health Record Data: A Grad Student How-To Paper

Health Services Research Utilizing Electronic Health Record Data: A Grad Student How-To Paper Paper 3485-2015 Health Services Research Utilizing Electronic Health Record Data: A Grad Student How-To Paper Ashley W. Collinsworth, ScD, MPH, Baylor Scott & White Health and Tulane University School

More information

Considerations for Troubled Debt Restructuring Identification of Loans August 2011

Considerations for Troubled Debt Restructuring Identification of Loans August 2011 Considerations for Troubled Debt Restructuring Identification of Loans August 2011 Introduction This document is intended to provide examiners with a general overview of the judgments required by an institution

More information

Demand for Analysis-Ready Data Sets. An Introduction to Banking and Credit Card Analytics

Demand for Analysis-Ready Data Sets. An Introduction to Banking and Credit Card Analytics Demand for Analysis-Ready Data Sets. An Introduction to Banking and Credit Card Analytics Copyright 2003 by Bikila bi Gwet Research papers and training manuals often use data that are too clean to reflect

More information

Remove Voided Claims for Insurance Data Qiling Shi

Remove Voided Claims for Insurance Data Qiling Shi Remove Voided Claims for Insurance Data Qiling Shi ABSTRACT The purpose of this study is to remove voided claims for insurance claim data using SAS. Suppose that for these voided claims, we don t have

More information

Low-volatility investing: a long-term perspective

Low-volatility investing: a long-term perspective ROCK note January 2012 Low-volatility investing: a long-term perspective For professional investors only Pim van Vliet Senior Portfolio Manager, Low-Volatility Equities Introduction Over the long-run,

More information

IBM SPSS Direct Marketing 22

IBM SPSS Direct Marketing 22 IBM SPSS Direct Marketing 22 Note Before using this information and the product it supports, read the information in Notices on page 25. Product Information This edition applies to version 22, release

More information

ANZ ETFS S&P/ASX 300 HIGH YIELD PLUS ETF. (ASX Code: ZYAU)

ANZ ETFS S&P/ASX 300 HIGH YIELD PLUS ETF. (ASX Code: ZYAU) ANZ ETFS S&P/ASX 300 HIGH YIELD PLUS ETF (ASX Code: ZYAU) INVESTMENT BUILDING BLOCKS FOR A CHANGING WORLD Introducing a suite of innovative exchange traded funds (ETFs) designed for Australian investors

More information

Top 10 Things to Know about WRDS

Top 10 Things to Know about WRDS Top 10 Things to Know about WRDS 1. Do I need special software to use WRDS? WRDS was built to allow users to use standard and popular software. There is no WRDSspecific software to install. For example,

More information

Modeling Lifetime Value in the Insurance Industry

Modeling Lifetime Value in the Insurance Industry Modeling Lifetime Value in the Insurance Industry C. Olivia Parr Rud, Executive Vice President, Data Square, LLC ABSTRACT Acquisition modeling for direct mail insurance has the unique challenge of targeting

More information

Assessing the Risks of a Yield-Tilted Equity Portfolio

Assessing the Risks of a Yield-Tilted Equity Portfolio Engineered Portfolio Solutions RESEARCH BRIEF Summer 2011 Update 2014: This Parametric study from 2011 is intended to illustrate common risks and characteristics associated with dividendtilted equity portfolios,

More information

Trade Date The date of the previous trading day. Recent Price is the closing price taken from this day.

Trade Date The date of the previous trading day. Recent Price is the closing price taken from this day. Definition of Terms Price & Volume Share Related Institutional Holding Ratios Definitions for items in the Price & Volume section Recent Price The closing price on the previous trading day. Trade Date

More information

1741 SWITZERLAND MINIMUM VOLATILITY INDEX

1741 SWITZERLAND MINIMUM VOLATILITY INDEX 1741 Switzerland Index Series 1741 SWITZERLAND MINIMUM VOLATILITY INDEX Index rules Status as of 1 July 2015 1741 Switzerland Minimum Volatility Index 2 CONTENTS 1 Introduction 3 2 Index specifications

More information

RAFI Bonds US High Yield 1-10 CAD Hedged Index

RAFI Bonds US High Yield 1-10 CAD Hedged Index Index Methodology & Standard Treatment REVISED: 8.31.2013 RAFI Bonds US High Yield 1-10 CAD Hedged Index A Research Affiliates Fundamental Index Strategy as designed by Ryan ALM, Inc. Index Division DISCLAIMER:

More information

SUGI 29 Coders' Corner

SUGI 29 Coders' Corner Paper 074-29 Tales from the Help Desk: Solutions for Simple SAS Mistakes Bruce Gilsen, Federal Reserve Board INTRODUCTION In 19 years as a SAS consultant at the Federal Reserve Board, I have seen SAS users

More information

GTC 2014 San Jose, California

GTC 2014 San Jose, California GTC 2014 San Jose, California An Approach to Parallel Processing of Big Data in Finance for Alpha Generation and Risk Management Yigal Jhirad and Blay Tarnoff March 26, 2014 GTC 2014: Table of Contents

More information

An Approach to Creating Archives That Minimizes Storage Requirements

An Approach to Creating Archives That Minimizes Storage Requirements Paper SC-008 An Approach to Creating Archives That Minimizes Storage Requirements Ruben Chiflikyan, RTI International, Research Triangle Park, NC Mila Chiflikyan, RTI International, Research Triangle Park,

More information

What is a BDC? Business Development Companies ( BDCs ) at a Glance. www.tcap.com NYSE:TCAP 2014 Triangle Capital Corporation

What is a BDC? Business Development Companies ( BDCs ) at a Glance. www.tcap.com NYSE:TCAP 2014 Triangle Capital Corporation What is a BDC? Business Development Companies ( BDCs ) at a Glance www.tcap.com NYSE:TCAP 2014 Triangle Capital Corporation What is a BDC? BDCs at a Glance This presentation is intended for investors who

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

A Comparison of Decision Tree and Logistic Regression Model Xianzhe Chen, North Dakota State University, Fargo, ND

A Comparison of Decision Tree and Logistic Regression Model Xianzhe Chen, North Dakota State University, Fargo, ND Paper D02-2009 A Comparison of Decision Tree and Logistic Regression Model Xianzhe Chen, North Dakota State University, Fargo, ND ABSTRACT This paper applies a decision tree model and logistic regression

More information

The High-Volume Return Premium: Evidence from Chinese Stock Markets

The High-Volume Return Premium: Evidence from Chinese Stock Markets The High-Volume Return Premium: Evidence from Chinese Stock Markets 1. Introduction If price and quantity are two fundamental elements in any market interaction, then the importance of trading volume in

More information

INDEX RULE BOOK NYSE Diversified High Income Index

INDEX RULE BOOK NYSE Diversified High Income Index INDEX RULE BOOK NYSE Diversified High Income Index Version 1-1 Effective from 31 July 2013 www.nyx.com/indices Index 1. INDEX SUMMARY... 1 2. GOVERNANCE AND DISCLAIMER... 3 2.1 INDICES... 3 2.2 INDEX GOVERNANCE...

More information

Ground Rules. FTSE Russia IOB Index v2.4

Ground Rules. FTSE Russia IOB Index v2.4 Ground Rules FTSE Russia IOB Index v2.4 ftserussell.com December 2015 Contents 1.0 Introduction... 3 2.0 Management responsibilities... 5 3.0 Queries and complaints... 6 4.0 Eligible companies... 7 5.0

More information

Alternative Investing

Alternative Investing Alternative Investing An important piece of the puzzle Improve diversification Manage portfolio risk Target absolute returns Innovation is our capital. Make it yours. Manage Risk and Enhance Performance

More information

Another Look at Trading Costs and Short-Term Reversal Profits

Another Look at Trading Costs and Short-Term Reversal Profits Another Look at Trading Costs and Short-Term Reversal Profits Wilma de Groot 1, Joop Huij 1,2 and Weili Zhou 1 1) Robeco Quantitative Strategies 2) Rotterdam School of Management http://ssrn.com/abstract=1605049

More information

Determining optimum insurance product portfolio through predictive analytics BADM Final Project Report

Determining optimum insurance product portfolio through predictive analytics BADM Final Project Report 2012 Determining optimum insurance product portfolio through predictive analytics BADM Final Project Report Dinesh Ganti(61310071), Gauri Singh(61310560), Ravi Shankar(61310210), Shouri Kamtala(61310215),

More information