Penetrating the Matrix Justin Z. Smith, William Gui Zupko II, U.S. Census Bureau, Suitland, MD

Size: px
Start display at page:

Download "Penetrating the Matrix Justin Z. Smith, William Gui Zupko II, U.S. Census Bureau, Suitland, MD"

Transcription

1 Penetrating the Matrix Justin Z. Smith, William Gui Zupko II, U.S. Census Bureau, Suitland, MD ABSTRACT While working on a time series modeling problem, we needed to find the row and column that corresponded to the minimum of a dataset. Processing the dataset via SAS 1 DATA step methods proved somewhat inefficient for the task because SAS is designed to run along observations, but not through variables without considerable manipulation of the dataset. By reading the dataset into PROC IML and treating it as a matrix, we were able to pinpoint the specific location with ease. PROC IML was able to penetrate the matrix and create macro variables that told us where in the matrix our minimum value was located. These macro variables were then used to identify the tentative autoregressive and moving average orders for time series modeling using PROC ARIMA. DISCLAIMER This report is released to inform interested parties of research and to encourage discussion. The views expressed are those of the authors and not necessarily those of the U.S. Census Bureau. INTRODUCTION SAS is designed to process observations in a dataset in the DATA step. Although there are many procedures available to check through variables, we encountered a problem when we tried to locate a specific number within a dataset. The twist with our situation is that we needed to obtain the location of the minimum value of the dataset which was more important than the minimum value itself. Finding the minimum of a matrix is simple enough, but what do you do if you need to find the row and column that correspond to the minimum of a matrix? Using publically available historical shipments and inventories data from the U.S. Census Bureau s office of Manufacturers Shipments, Inventories, and Orders (M3) 2, we created an autoregressive integrated moving average (ARIMA) model to try to predict the value of shipments (VS) / total inventory (TI) ratio over time. An ARIMA model involves autoregressive (AR) terms, which are past values of the series, and moving average (MA) terms, which are past values of random errors. The number of AR terms is denoted by p, and the number of MA terms is denoted by q. There are several methods to tentatively identify suitable p and q for a model. This paper focuses on using the minimum information criterion 3 to accomplish this. The minimum information criterion is a statistic based on the residuals from the model and an added penalty which is a function of the number of model parameters. By using the MINIC option in the IDENTIFY statement, PROC ARIMA will give a matrix, where the rows are an inputted range of p s, the columns are an inputted range of q s, and the entries are values of the information criterion (Brocklebank, 2005). 1 SAS and all other SAS Institute Inc. product or service names are registered trademarks of SAS Institute Inc. in the USA and other countries. A indicates USA registration. Other brand and product names are trademarks of their respective companies. 2 Estimates of manufacturers shipments, inventories, and orders are subject to survey error and revision. For further details on survey design, methodology, and data limitations, see 3 See for detailed information. 1

2 EXPLANATION OF CODE We used the following PROC ARIMA code to produce the matrix shown in Table 1. Because PROC ARIMA outputs its results directly to the output window, we needed to use ODS Output to create a dataset that will house our matrix. We called this dataset MINICDATA. ODS Output takes the results from the output window and creates a dataset with that information. In this case, we wanted the information provided in the Minimum Information Criterion. ods output "Minimum Information Criterion"=minicdata; proc arima data=mergevsti; identify var=ratio(1) minic p=(1:7) q=(1:7) alpha=.1; quit; ods output close; To get a fairly wide range of possible p and q values to test, we programmed PROC ARIMA calculate the information criterion using p and q both ranging from 1 to 7. Usually, these values are restricted by business rules, which are processing criteria specific to a given survey, to be below a certain order, for example p 3 and q 4, and other restrictions, such as not having both p and q in the same model (a mixed model ). The p values represent the number of autoregressive terms, and are the rows in the matrix. The q values represent the number of moving average terms, and are the columns in the matrix. Note that the ratio(1) part of the code takes the first difference of the series. We used this method with this series to achieve stationarity. Table 1 Minimum Information Criterion Lags MA 1 MA 2 MA 3 MA 4 MA 5 MA 6 MA 7 AR AR AR AR AR AR AR We then manipulated the matrix, deleting the first row, due to a business rule for a prediction to be based on at least two prior observations. This gave us the matrix shown in Table 2. Table 2 Minimum Information Criterion Lags MA 1 MA 2 MA 3 MA 4 MA 5 MA 6 MA 7 AR AR AR AR AR AR

3 By observation, we can see that the minimum of this matrix is the value , which we ve highlighted in Table 2, corresponding to the AR 3 and MA 1 location. Therefore, we want our macro variables to be p = 3 and q = 1. Our first solution was to make a dataset for each column, calculate the minimum in each dataset using PROC MEANS, and keep the column with the minimum of the minimums. Then we d loop through the columns and note the row for which the minimum occurred. This was a slow process for the simple matrix we were using and it would be even slower using matrices with many more rows and columns. Our second solution was to use PROC IML. We read in the MINICDATA dataset, and looped through the rows (i) and columns (j), storing i and j where the matrix entry was the minimum. PROC IML is different from other PROCs. It does not use the data or set statements in the DATA step. While the use statement is like the set statement, no columns are read into IML unless the read statement is used. We used the read all into command to bring in the MINICDATA dataset into IML as a matrix. We needed to tell PROC IML the name of the rows and columns. We named the matrix pqmat, with the observations becoming the rowname and the variable names starting with the string ma. proc iml; use minicdata; read all into pqmat[rowname=rowname colname=ma_]; Next, we obtained the number of rows and columns. These values were used in the DO loops over the rows and columns. We calculated the minimum of the matrix here. Note that calculating the minimum outside the DO loops is more efficient than calculating the minimum inside the DO loops because we only needed to calculate it once, not repeatedly. nrow=nrow(pqmat); ncol=ncol(pqmat); minmatrix=min(pqmat); Below are the DO loops. Here we stored the values of i and j to macro variables that (i,j) corresponded to the minimum identified above. The print option is not required in this step, but it is useful to confirm that the matrix was created correctly. We printed the nrow and ncol to confirm that we had the correct number of rows and columns in the matrix. This gave us further confirmation that the data was created properly. print pqmat nrow ncol; do i=1 to nrow; do j=1 to ncol; if pqmat[i,j]=minmatrix then call symput('i',left(char(i))); if pqmat[i,j]=minmatrix then call symput('j',left(char(j))); end; end; quit; Next, we used i and j to create the macro variables p and q. This correction step was needed because we started the range of p and q at 1. Since we have a business rule where future observations in our time series must be based on at least two past observations, p must be at least two. This value of p is then calculated by increasing the value of i by one. Because q starts at one, no additional correction was made to q. However, we left this portion of code in for q to remind us that if we start at a different range for q, or have other business rules for q, then we would need to modify j to calculate q as well. For the dataset 3

4 above, the minimum was identified at i = 2 and j = 1. Therefore, this correction step will calculate the correct p = 3 and q = 1. %let p=%eval(&i+1); %let q=%eval(&j); Last, we outputted the values of p and q to the log window for review. %put p=&p; %put q=&q; Our code determined p = 3 and q = 1 as the model with the minimum information criterion, and is therefore the preferred tentative model. Using PROC ARIMA with the ESTIMATE option with macro variables evaluating to p = 3 and q = 1, the output window showed the parameter estimates for the model. Figure 1 shows the output screen. The IML code not only printed out the rows and columns, but the variables we created showing how many rows and columns are in the matrix. Fig. 1 A modification to the code would be necessary if, for example, the matrix had more than one cell containing the minimum. In that case, our code would merely store the last (p, q) pair where the minimum occurred. In our context, models that would happen to have the same value of the minimum information criterion would be statistically indistinguishable. The modification would be to insert a counter to total the number of minimums identified, and to store the different p and q by incorporating this counter as a macro variable in the names. By storing these values as macros, we were able to use them to set up parameters for later use. To see this demonstrated in an entire process, please refer to our parent paper Creating and Displaying an Econometric Model Automatically paper # 52, by the same authors. CONCLUSION Finding the minimum of a matrix is a simple task, but finding the row and column corresponding to the minimum of the matrix is somewhat more involved. PROC IML gives us the flexibility to search a SAS dataset through its observations, and also through its variables. Programmers often need greater flexibility than row-based calculations or comparisons. PROC IML grants that flexibility using a matrix for its calculations, which allows programmers to compare observations and columns. We learned that some care needs to be taken to identify the correct row and column if rows or columns are being deleted. Additionally, the code needs to be modified if there is more than one minimum. Note, that while we worked with the minimum function, the method is general and many criteria can be used depending on the application. 4

5 REFERENCES Brocklebank, John C. and Dickey, David (2005). SAS for Forecasting Time Series, Cary, NC, SAS Institute Inc. ACKNOWLEDGEMENTS The authors would like to thank Courtney Harris, Jan Lattimore, and Amy Newman-Smith for their reviews and suggestions which greatly improved this paper. CONTACT INFORMATION If you would like to submit comments and questions, please contact the authors at: Justin Z. Smith U.S. Census Bureau 4600 Silver Hill Road, Room 7K072D Suitland, MD, William Gui Zupko II U.S. Census Bureau 4600 Silver Hill Road, Room 7K072D Suitland, MD,

6 Appendix A: Input Data /*M3 data, seasonally adjusted VS and TI at the total mfg level*/ data mergevsti; input date:monyy5. vs_total ti_total; format date monyy5.; datalines; jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb

7 mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov

8 dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug

9 sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may jun jul aug sep oct nov dec jan feb mar apr may

10 jun jul aug sep oct nov dec jan feb mar apr may jun jul ; /*create the ratio of value of shipments over total inventory*/ data mergevsti; set mergevsti; ratio=vs_total/ti_total; 10

11 Appendix B: PROC ARIMA and PROC IML code /*get the minimum information criterion of the first differenced series*/ ods output "Minimum Information Criterion"=minicdata; proc arima data=mergevsti; identify var=ratio(1) minic p=(1:7) q=(1:7) alpha=.1; /*took the first difference*/ quit; ods output close; /*clean up the minicdata dataset. This is because we want a forecast based on at least 2 past observations*/ data minicdata; set minicdata; if rowname in('ar 1') then delete; /*use proc IML to manipulate dataset to get p and q for suggested AR(p) and MA(q) process*/ proc iml; use minicdata; read all into pqmat[rowname=rowname colname=ma_]; /*get num of rows and columns. This will be used in the DO loop*/ nrow=nrow(pqmat); ncol=ncol(pqmat); minmatrix=min(pqmat); /*calculate minimum of matrix*/ /*display matrix, nrow, and ncol, get i and j*/ print pqmat nrow ncol; do i=1 to nrow; do j=1 to ncol; if pqmat[i,j]=minmatrix then call symput('i',left(char(i))); if pqmat[i,j]=minmatrix then call symput('j',left(char(j))); end; end; quit; /*this adjustment is done to get the correct p and q*/ /*this is because we want a forecast based on at least 2 past observations*/ %let p=%eval(&i+1); %let q=%eval(&j); %put p=&p; %put q=&q; /*estimate the model using the identified p and q*/ proc arima data=mergevsti; identify var=ratio; estimate p=&p q=&q; quit; 11

Paper SAS Managing Large Data with SAS Dynamic Cluster Table Transactions Guy Simpson, SAS Institute Inc., Cary, NC

Paper SAS Managing Large Data with SAS Dynamic Cluster Table Transactions Guy Simpson, SAS Institute Inc., Cary, NC Paper SAS255-2014 Managing Large Data with SAS Dynamic Cluster Table Transactions Guy Simpson, SAS Institute Inc., Cary, NC ABSTRACT Today's business needs require 24/7 access to your data in order to

More information

Effects of PROC EXPAND Data Interpolation on Time Series Modeling When the Data are Volatile or Complex

Effects of PROC EXPAND Data Interpolation on Time Series Modeling When the Data are Volatile or Complex Effects of PROC EXPAND Data Interpolation on Time Series Modeling When the Data are Volatile or Complex Keiko I. Powers, Ph.D., J. D. Power and Associates, Westlake Village, CA ABSTRACT Discrete time series

More information

Creating an Interactive SAS Textbook in the ipad with ibooks Author

Creating an Interactive SAS Textbook in the ipad with ibooks Author Paper 78 Creating an Interactive SAS Textbook in the ipad with ibooks Author William Gui Zupko II, US Census Bureau, Suitland, MD ABSTRACT Mobile media is becoming more popular and prevalent in today s

More information

Asks for clarification of whether a GOP must communicate to a TOP that a generator is in manual mode (no AVR) during start up or shut down.

Asks for clarification of whether a GOP must communicate to a TOP that a generator is in manual mode (no AVR) during start up or shut down. # Name Duration 1 Project 2011-INT-02 Interpretation of VAR-002 for Constellation Power Gen 185 days Jan Feb Mar Apr May Jun Jul Aug Sep O 2012 2 Start Date for this Plan 0 days 3 A - ASSEMBLE SDT 6 days

More information

SAS Scalable Performance Data Server 4.3

SAS Scalable Performance Data Server 4.3 Scalability Solution for SAS Dynamic Cluster Tables A SAS White Paper Table of Contents Introduction...1 Cluster Tables... 1 Dynamic Cluster Table Loading Benefits... 2 Commands for Creating and Undoing

More information

This report is based on sampled data. Jun 1 Jul 6 Aug 10 Sep 14 Oct 19 Nov 23 Dec 28 Feb 1 Mar 8 Apr 12 May 17 Ju

This report is based on sampled data. Jun 1 Jul 6 Aug 10 Sep 14 Oct 19 Nov 23 Dec 28 Feb 1 Mar 8 Apr 12 May 17 Ju 0 - Total Traffic Content View Query This report is based on sampled data. Jun 1, 2009 - Jun 25, 2010 Comparing to: Site 300 Unique Pageviews 300 150 150 0 0 Jun 1 Jul 6 Aug 10 Sep 14 Oct 19 Nov 23 Dec

More information

ICT PROFESSIONAL MICROSOFT OFFICE SCHEDULE MIDRAND

ICT PROFESSIONAL MICROSOFT OFFICE SCHEDULE MIDRAND ICT PROFESSIONAL MICROSOFT OFFICE SCHEDULE MIDRAND BYTES PEOPLE SOLUTIONS Bytes Business Park 241 3rd Road Halfway Gardens Midrand Tel: +27 (11) 205-7000 Fax: +27 (11) 205-7110 Email: gauteng.sales@bytes.co.za

More information

SAS System Powers Web Measurement Solution at U S WEST

SAS System Powers Web Measurement Solution at U S WEST SAS System Powers Web Measurement Solution at U S WEST Bob Romero, U S WEST Communications, Technical Expert - SAS and Data Analysis Dale Hamilton, U S WEST Communications, Capacity Provisioning Process

More information

Monthly SEO Report. Example Client 16 November 2012 Scott Lawson. Date. Prepared by

Monthly SEO Report. Example Client 16 November 2012 Scott Lawson. Date. Prepared by Date Monthly SEO Report Prepared by Example Client 16 November 212 Scott Lawson Contents Thanks for using TrackPal s automated SEO and Analytics reporting template. Below is a brief explanation of the

More information

Imputation for missing observation through Artificial Intelligence. A Heuristic & Machine Learning approach

Imputation for missing observation through Artificial Intelligence. A Heuristic & Machine Learning approach Imputation for missing observation through Artificial Intelligence A Heuristic & Machine Learning approach (Test case with macroeconomic time series from the BIS Data Bank) Byeungchun Kwon Bank for International

More information

All King County Summary Report

All King County Summary Report September, 2016 MTD MARKET UPDATE Data Current Through: September, 2016 18,000 16,000 14,000 12,000 10,000 8,000 6,000 4,000 2,000 0 Active, Pending, & Months Supply of Inventory 15,438 14,537 6.6 6.7

More information

Bad Date: How to find true love with Partial Dates! Namrata Pokhrel, Accenture Life Sciences, Berwyn, PA

Bad Date: How to find true love with Partial Dates! Namrata Pokhrel, Accenture Life Sciences, Berwyn, PA PharmaSUG 2014 Paper PO09 Bad Date: How to find true love with Partial Dates! Namrata Pokhrel, Accenture Life Sciences, Berwyn, PA ABSTRACT This poster will discuss the difficulties encountered while trying

More information

DATA Step Debugger APPENDIX 3

DATA Step Debugger APPENDIX 3 1193 APPENDIX 3 DATA Step Debugger Introduction 1194 Definition: What is Debugging? 1194 Definition: The DATA Step Debugger 1194 Basic Usage 1195 How a Debugger Session Works 1195 Using the Windows 1195

More information

software.sci.utah.edu (Select Visitors)

software.sci.utah.edu (Select Visitors) software.sci.utah.edu (Select Visitors) Web Log Analysis Yearly Report 2002 Report Range: 02/01/2002 00:00:0-12/31/2002 23:59:59 www.webtrends.com Table of Contents Top Visitors...3 Top Visitors Over Time...5

More information

Seattle (NWMLS Areas: 140, 380, 385, 390, 700, 701, 705, 710) Summary

Seattle (NWMLS Areas: 140, 380, 385, 390, 700, 701, 705, 710) Summary September, 2016 MTD MARKET UPDATE Data Current Through: September, 2016 (NWMLS Areas: 140, 380, 385, 390,, 701, 705, 710) Summary Active, Pending, & Months Supply of Inventory 5,000 4,500 4,000 3,500 4,091

More information

Seattle (NWMLS Areas: 140, 380, 385, 390, 700, 701, 705, 710) Summary

Seattle (NWMLS Areas: 140, 380, 385, 390, 700, 701, 705, 710) Summary October, 2016 MTD MARKET UPDATE Data Current Through: October, 2016 (NWMLS Areas: 140, 380, 385, 390,, 701, 705, 710) Summary Active, Pending, & Months Supply of Inventory 4,500 4,000 3,500 4,197 4,128

More information

The Time Series Forecasting System Charles Hallahan, Economic Research Service/USDA, Washington, DC

The Time Series Forecasting System Charles Hallahan, Economic Research Service/USDA, Washington, DC The Time Series Forecasting System Charles Hallahan, Economic Research Service/USDA, Washington, DC INTRODUCTION The Time Series Forecasting System (TSFS) is a component of SAS/ETS that provides a menu-based

More information

Seattle (NWMLS Areas: 140, 380, 385, 390, 700, 701, 705, 710) Summary

Seattle (NWMLS Areas: 140, 380, 385, 390, 700, 701, 705, 710) Summary November, 2016 MTD MARKET UPDATE Data Current Through: November, 2016 (NWMLS Areas: 140, 380, 385, 390,, 701, 705, 710) Summary 4,000 3,500 3,000 2,500 2,000 1,500 1,000 500 0 Active, Pending, & Months

More information

Sand Pit Utilization

Sand Pit Utilization Sand Pit Utilization A construction company obtains sand, fine gravel, and coarse gravel from three different sand pits. The pits have different average compositions for the three types of raw materials

More information

HPE Security Data Security. HPE SecureData. Product Lifecycle Status. End of Support Dates. Date: April 20, 2017 Version:

HPE Security Data Security. HPE SecureData. Product Lifecycle Status. End of Support Dates. Date: April 20, 2017 Version: HPE Security Data Security HPE SecureData Product Lifecycle Status End of Support Dates Date: April 20, 2017 Version: 1704-1 Table of Contents Table of Contents... 2 Introduction... 3 HPE SecureData Appliance...

More information

RLMYPRINT.COM 30-DAY FREE NO-OBLIGATION TRIAL OF RANDOM LENGTHS MY PRINT.

RLMYPRINT.COM 30-DAY FREE NO-OBLIGATION TRIAL OF RANDOM LENGTHS MY PRINT. My Print ON-DEMAND GRAPHS AND PRICE REPORTS TRY IT FREE FOR 30 DAYS! RLMYPRINT.COM 30-DAY FREE NO-OBLIGATION TRIAL OF RANDOM LENGTHS MY PRINT. Register and immediately begin using the new Web site to create

More information

Houston Economic Overview Presented by Patrick Jankowski, SVP Research Greater Houston Partnership

Houston Economic Overview Presented by Patrick Jankowski, SVP Research Greater Houston Partnership Houston Economic Overview Presented by Patrick Jankowski, SVP Research Greater Houston Partnership Order of the Day Order of the Day Rig count fell 80% Oil prices dropped 75% Energy layoffs spiked Office

More information

COURSE LISTING. Courses Listed. with SAP Hybris Marketing Cloud. 24 January 2018 (23:53 GMT) HY760 - SAP Hybris Marketing Cloud

COURSE LISTING. Courses Listed. with SAP Hybris Marketing Cloud. 24 January 2018 (23:53 GMT) HY760 - SAP Hybris Marketing Cloud with SAP Hybris Marketing Cloud Courses Listed HY760 - SAP Hybris Marketing Cloud C_HYMC_1702 - SAP Certified Technology Associate - SAP Hybris Marketing Cloud (1702) Implementation Page 1 of 12 All available

More information

Server Virtualization and Optimization at HSBC. John Gibson Chief Technical Specialist HSBC Bank plc

Server Virtualization and Optimization at HSBC. John Gibson Chief Technical Specialist HSBC Bank plc Server Virtualization and Optimization at HSBC John Gibson Chief Technical Specialist HSBC Bank plc Background Over 5,500 Windows servers in the last 6 years. Historically, Windows technology dictated

More information

Broadband Rate Design for Public Benefit

Broadband Rate Design for Public Benefit Broadband Rate Design for Public Benefit The transition from service-based rates to loop rates on Chelan PUD s Broadband Network Dec.19, 2016 No action required today Today s Presentation Loop Rates Final

More information

3. EXCEL FORMULAS & TABLES

3. EXCEL FORMULAS & TABLES Winter 2019 CS130 - Excel Formulas & Tables 1 3. EXCEL FORMULAS & TABLES Winter 2019 Winter 2019 CS130 - Excel Formulas & Tables 2 Cell References Absolute reference - refer to cells by their fixed position.

More information

Section 1.2: What is a Function? y = 4x

Section 1.2: What is a Function? y = 4x Section 1.2: What is a Function? y = 4x y is the dependent variable because it depends on what x is. x is the independent variable because any value can be chosen to replace x. Domain: a set of values

More information

BANGLADESH UNIVERSITY OF PROFESSIONALS ACADEMIC CALENDAR FOR MPhil AND PHD PROGRAM 2014 (4 TH BATCH) PART I (COURSE WORK)

BANGLADESH UNIVERSITY OF PROFESSIONALS ACADEMIC CALENDAR FOR MPhil AND PHD PROGRAM 2014 (4 TH BATCH) PART I (COURSE WORK) BANGLADESH UNIVERSITY OF PROFESSIONALS ACADEMIC CALENDAR FOR MPhil AND PHD PROGRAM 2014 (4 TH BATCH) DAY Soci-Economic and Political History of Bangladesh PART I (COURSE WORK) 1 ST SEMESTER 2 ND SEMESTER

More information

EVM & Project Controls Applied to Manufacturing

EVM & Project Controls Applied to Manufacturing EVM & Project Controls Applied to Manufacturing PGCS Canberra 6-7 May 2015 David Fox General Manager L&A Pressure Welding Pty Ltd Contents 1) Background Business & research context 2) Research Fitting

More information

Paper CC-016. METHODOLOGY Suppose the data structure with m missing values for the row indices i=n-m+1,,n can be re-expressed by

Paper CC-016. METHODOLOGY Suppose the data structure with m missing values for the row indices i=n-m+1,,n can be re-expressed by Paper CC-016 A macro for nearest neighbor Lung-Chang Chien, University of North Carolina at Chapel Hill, Chapel Hill, NC Mark Weaver, Family Health International, Research Triangle Park, NC ABSTRACT SAS

More information

UAE PUBLIC TRAINING CALENDAR

UAE PUBLIC TRAINING CALENDAR UAE 102-R8.3 Primavera P6 Professional Fundamentals Rel 8.3 5 Abu Dhabi 4-Jan 8-Jan 19.5 106-R8.3 Primavera P6 Professional Advanced Rel8.3 3 Dubai 18-Jan 20-Jan 13.0 PMI-SP01 SP) Certification) 5 Abu

More information

Previous Intranet Initial intranet created in 2002 Created solely by Information Systems Very utilitarian i Created to permit people to access forms r

Previous Intranet Initial intranet created in 2002 Created solely by Information Systems Very utilitarian i Created to permit people to access forms r ACHIEVA Cafe Steve McDonell Previous Intranet Initial intranet created in 2002 Created solely by Information Systems Very utilitarian i Created to permit people to access forms remotely Not much content

More information

Unlock SAS Code Automation with the Power of Macros

Unlock SAS Code Automation with the Power of Macros SESUG 2015 ABSTRACT Paper AD-87 Unlock SAS Code Automation with the Power of Macros William Gui Zupko II, Federal Law Enforcement Training Centers SAS code, like any computer programming code, seems to

More information

Project Refresh. Bureau of Primary Health Care Reformatted Survey Report January 18, Copyright, The Joint Commission

Project Refresh. Bureau of Primary Health Care Reformatted Survey Report January 18, Copyright, The Joint Commission Project Refresh Bureau of Primary Health Care Reformatted Survey Report January 18, 2018 1 What is Project Refresh? A series of inter-related and/or interdependent process improvement initiatives underway

More information

WHOIS Accuracy Reporting System (ARS): Phase 2 Cycle 1 Results Webinar 12 January ICANN GDD Operations NORC at the University of Chicago

WHOIS Accuracy Reporting System (ARS): Phase 2 Cycle 1 Results Webinar 12 January ICANN GDD Operations NORC at the University of Chicago WHOIS Accuracy Reporting System (ARS): Phase 2 Cycle 1 Results Webinar 12 January 2016 ICANN GDD Operations NORC at the University of Chicago Webinar Agenda 1 2 3 WHOIS ARS Background Phase 2 Cycle 1:

More information

Annex A to the MPEG Audio Patent License Agreement Essential Philips, France Telecom and IRT Patents relevant to DVD-Video Disc - MPEG Audio - general

Annex A to the MPEG Audio Patent License Agreement Essential Philips, France Telecom and IRT Patents relevant to DVD-Video Disc - MPEG Audio - general Essential Philips, France Telecom and IRT Patents relevant to DVD-Video Disc - MPEG Audio - general PUBLICATION AR N 013241-317015 04-Jun-90 11-Oct-96 250211 11-Oct-11 Universal subband coder format AT

More information

Aaron Daniel Chia Huang Licai Huang Medhavi Sikaria Signal Processing: Forecasting and Modeling

Aaron Daniel Chia Huang Licai Huang Medhavi Sikaria Signal Processing: Forecasting and Modeling Aaron Daniel Chia Huang Licai Huang Medhavi Sikaria Signal Processing: Forecasting and Modeling Abstract Forecasting future events and statistics is problematic because the data set is a stochastic, rather

More information

Is Something Wrong with Texas Home Prices?

Is Something Wrong with Texas Home Prices? Is Something Wrong with Texas Home Prices? Finding Shelter: Affordability Squeeze in a Tight Texas Housing Market Dallas Federal Reserve February 23, 2018 Constrained supply plus strong demand = accelerated

More information

More Binary Search Trees AVL Trees. CS300 Data Structures (Fall 2013)

More Binary Search Trees AVL Trees. CS300 Data Structures (Fall 2013) More Binary Search Trees AVL Trees bstdelete if (key not found) return else if (either subtree is empty) { delete the node replacing the parents link with the ptr to the nonempty subtree or NULL if both

More information

SAS/ETS 13.2 User s Guide. The TIMEID Procedure

SAS/ETS 13.2 User s Guide. The TIMEID Procedure SAS/ETS 13.2 User s Guide The TIMEID Procedure This document is an individual chapter from SAS/ETS 13.2 User s Guide. The correct bibliographic citation for the complete manual is as follows: SAS Institute

More information

An Introduction to SAS/SHARE, By Example

An Introduction to SAS/SHARE, By Example Paper AD01 An Introduction to SAS/SHARE, By Example Larry Altmayer, U.S. Census Bureau, Washington, DC ABSTRACT SAS/SHARE software is a useful tool for allowing several users to access and edit the same

More information

More BSTs & AVL Trees bstdelete

More BSTs & AVL Trees bstdelete More BSTs & AVL Trees bstdelete if (key not found) return else if (either subtree is empty) { delete the node replacing the parents link with the ptr to the nonempty subtree or NULL if both subtrees are

More information

COURSE LISTING. Courses Listed. Training for Database & Technology with Modeling in SAP HANA. 20 November 2017 (12:10 GMT) Beginner.

COURSE LISTING. Courses Listed. Training for Database & Technology with Modeling in SAP HANA. 20 November 2017 (12:10 GMT) Beginner. Training for Database & Technology with Modeling in SAP HANA Courses Listed Beginner HA100 - SAP HANA Introduction Advanced HA300 - SAP HANA Certification Exam C_HANAIMP_13 - SAP Certified Application

More information

Polycom Advantage Service Endpoint Utilization Report

Polycom Advantage Service Endpoint Utilization Report Polycom Advantage Service Endpoint Utilization Report ABC Company 9/1/2018-9/30/2018 Polycom, Inc. All rights reserved. SAMPLE REPORT d This report is for demonstration purposes only. Any resemblance to

More information

10th Maintenance Cost Conference Chairman s Report Athens Sept 10& Tiymor Kalimat Manager Technical Procurement Royal Jordanian Airlines

10th Maintenance Cost Conference Chairman s Report Athens Sept 10& Tiymor Kalimat Manager Technical Procurement Royal Jordanian Airlines 10th Maintenance Cost Conference Chairman s Report Athens Sept 10&11 2014 Tiymor Kalimat Manager Technical Procurement Royal Jordanian s Why We Are Here Operating Cost Direct Operating Cost Indirect Operating

More information

PROGRAMMING ROLLING REGRESSIONS IN SAS MICHAEL D. BOLDIN, UNIVERSITY OF PENNSYLVANIA, PHILADELPHIA, PA

PROGRAMMING ROLLING REGRESSIONS IN SAS MICHAEL D. BOLDIN, UNIVERSITY OF PENNSYLVANIA, PHILADELPHIA, PA PROGRAMMING ROLLING REGRESSIONS IN SAS MICHAEL D. BOLDIN, UNIVERSITY OF PENNSYLVANIA, PHILADELPHIA, PA ABSTRACT SAS does not have an option for PROC REG (or any of its other equation estimation procedures)

More information

Polycom Advantage Service Endpoint Utilization Report

Polycom Advantage Service Endpoint Utilization Report Polycom Advantage Service Endpoint Utilization Report ABC Company 3/1/2016-3/31/2016 Polycom, Inc. All rights reserved. SAMPLE REPORT d This report is for demonstration purposes only. Any resemblance to

More information

X-13 Stuff You Should Know

X-13 Stuff You Should Know X-13 Stuff You Should Know Brian C. Monsell and Osbert Pang Brian.C.Monsell@census.gov SAPW 2018 April 26, 2018 Any views expressed are those of the author(s) and not necessarily those of the U.S. Census

More information

Excel Using PowerPivot & Power View in Data Analysis

Excel Using PowerPivot & Power View in Data Analysis Excel 2013 - Using PowerPivot & Power View in Data Analysis Developed By CPA Crossings, LLC Rochester, Michigan Presentation Outline PivotTable vs. PowerPivot Data Structure in Excel Issues Analyzing Data

More information

Handling Numeric Representation SAS Errors Caused by Simple Floating-Point Arithmetic Computation Fuad J. Foty, U.S. Census Bureau, Washington, DC

Handling Numeric Representation SAS Errors Caused by Simple Floating-Point Arithmetic Computation Fuad J. Foty, U.S. Census Bureau, Washington, DC Paper BB-206 Handling Numeric Representation SAS Errors Caused by Simple Floating-Point Arithmetic Computation Fuad J. Foty, U.S. Census Bureau, Washington, DC ABSTRACT Every SAS programmer knows that

More information

Intro to ARMA models. FISH 507 Applied Time Series Analysis. Mark Scheuerell 15 Jan 2019

Intro to ARMA models. FISH 507 Applied Time Series Analysis. Mark Scheuerell 15 Jan 2019 Intro to ARMA models FISH 507 Applied Time Series Analysis Mark Scheuerell 15 Jan 2019 Topics for today Review White noise Random walks Autoregressive (AR) models Moving average (MA) models Autoregressive

More information

APPENDIX E2 ADMINISTRATIVE DATA RECORD #2

APPENDIX E2 ADMINISTRATIVE DATA RECORD #2 APPENDIX E2 ADMINISTRATIVE DATA RECORD #2 Position (s} Document Identifier 1-3 PAB, PBB, or PEB PIIN 4-16 SPIIN 17-22 Must agree with the related P,_A Discount Terms 23-37 May be blank in the PBB an&peb

More information

Getting Started with the Output Delivery System

Getting Started with the Output Delivery System 3 CHAPTER 1 Getting Started with the Output Delivery System Introduction to the Output Delivery System 3 A Quick Start to Using ODS 3 The Purpose of These Examples 3 Creating Listing Output 4 Creating

More information

Guide to the Susan Olzak Papers SC1299

Guide to the Susan Olzak Papers SC1299 http://oac.cdlib.org/findaid/ark:/13030/c8377ffq Online items available Jenny Johnson Department of Special Collections and University Archives November 2016 Green Library 557 Escondido Mall Stanford 94305-6064

More information

2016 Market Update. Gary Keller and Jay Papasan Keller Williams Realty, Inc.

2016 Market Update. Gary Keller and Jay Papasan Keller Williams Realty, Inc. 2016 Market Update Gary Keller and Jay Papasan Housing Market Cycles 1. Home Sales The Numbers That Drive U.S. 2. Home Price 3. Months Supply of Inventory 4. Mortgage Rates Real Estate 1. Home Sales Nationally

More information

Fluidity Trader Historical Data for Ensign Software Playback

Fluidity Trader Historical Data for Ensign Software Playback Fluidity Trader Historical Data for Ensign Software Playback This support document will walk you through the steps of obtaining historical data for esignal into your Ensign Software program so that you

More information

SCI - software.sci.utah.edu (Select Visitors)

SCI - software.sci.utah.edu (Select Visitors) SCI - software.sci.utah.edu (Select Visitors) Web Log Analysis Yearly Report 2004 Report Range: 01/01/2004 00:00:00-12/31/2004 23:59:59 www.webtrends.com Table of Contents Top Visitors...3 Top Visitors

More information

One SAS To Rule Them All

One SAS To Rule Them All SAS Global Forum 2017 ABSTRACT Paper 1042 One SAS To Rule Them All William Gui Zupko II, Federal Law Enforcement Training Centers In order to display data visually, our audience preferred Excel s compared

More information

Creating Code writing algorithms for producing n-lagged variables. Matt Bates, J.P. Morgan Chase, Columbus, OH

Creating Code writing algorithms for producing n-lagged variables. Matt Bates, J.P. Morgan Chase, Columbus, OH Paper AA05-2014 Creating Code writing algorithms for producing n-lagged variables Matt Bates, J.P. Morgan Chase, Columbus, OH ABSTRACT As a predictive modeler with time-series data there is a continuous

More information

Speed Dating: Looping Through a Table Using Dates

Speed Dating: Looping Through a Table Using Dates Paper 1645-2014 Speed Dating: Looping Through a Table Using Dates Scott Fawver, Arch Mortgage Insurance Company, Walnut Creek, CA ABSTRACT Have you ever needed to use dates as values to loop through a

More information

Maximo 76 Cognos Dimensions

Maximo 76 Cognos Dimensions IBM Tivoli Software Maximo Asset Management Version 7.6 Releases Maximo 76 Cognos Dimensions Application Example Pam Denny Maximo Report Designer/Architect CONTENTS Revision History... iii 1 Overview...

More information

Peak Season Metrics Summary

Peak Season Metrics Summary Peak Season Metrics Summary Week Ending Week Ending Number Date Number Date 1 6-Jan-18 27 7-Jul-18 2 13-Jan-18 28 14-Jul-18 3 2-Jan-18 29 21-Jul-18 4 27-Jan-18 3 28-Jul-18 5 3-Feb-18 Thursday, 21-Jun-18

More information

Peak Season Metrics Summary

Peak Season Metrics Summary Week Ending Week Ending Number Date Number Date 1 2-Jan-16 27 2-Jul-16 2 9-Jan-16 28 9-Jul-16 Peak Season Metrics Summary 3 16-Jan-16 29 16-Jul-16 4 23-Jan-16 3 23-Jul-16 5 3-Jan-16 31 3-Jul-16 6 6-Feb-16

More information

Peak Season Metrics Summary

Peak Season Metrics Summary Peak Season Metrics Summary Week Ending Week Ending Number Date Number Date 1 6-Jan-18 27 7-Jul-18 Current 2 13-Jan-18 28 14-Jul-18 3 2-Jan-18 29 21-Jul-18 4 27-Jan-18 3 28-Jul-18 5 3-Feb-18 Thursday,

More information

e-sens Nordic & Baltic Area Meeting Stockholm April 23rd 2013

e-sens Nordic & Baltic Area Meeting Stockholm April 23rd 2013 e-sens Nordic & Baltic Area Meeting Stockholm April 23rd 2013 Objectives of the afternoon parallel tracks sessions 2 Meeting objectives High level: Identification of shared interests with emphasis on those

More information

Effective Forecast Visualization With SAS/GRAPH Samuel T. Croker, Lexington, SC

Effective Forecast Visualization With SAS/GRAPH Samuel T. Croker, Lexington, SC DP01 Effective Forecast Visualization With SAS/GRAPH Samuel T. Croker, Lexington, SC ABSTRACT A statistical forecast is useless without sharp, attractive and informative graphics to present it. It is really

More information

Peak Season Metrics Summary

Peak Season Metrics Summary Peak Season Metrics Summary Week Ending Week Ending Number Date Number Date 1 6-Jan-18 27 7-Jul-18 2 13-Jan-18 28 14-Jul-18 Current 3 2-Jan-18 29 21-Jul-18 4 27-Jan-18 3 28-Jul-18 5 3-Feb-18 Thursday,

More information

OBJECT-ORIENTED PROGRAMMING IN R: S3 & R6. Environments, Reference Behavior, & Shared Fields

OBJECT-ORIENTED PROGRAMMING IN R: S3 & R6. Environments, Reference Behavior, & Shared Fields OBJECT-ORIENTED PROGRAMMING IN R: S3 & R6 Environments, Reference Behavior, & Shared Fields list environment > env lst env$x

More information

New Concept for Article 36 Networking and Management of the List

New Concept for Article 36 Networking and Management of the List New Concept for Article 36 Networking and Management of the List Kerstin Gross-Helmert, AFSCO 28 th Meeting of the Focal Point Network EFSA, MTG SEAT 00/M08-09 THE PRESENTATION Why a new concept? What

More information

New CLIK (CLIK 3.0) CLimate Information tool Kit User Manual

New CLIK (CLIK 3.0) CLimate Information tool Kit User Manual New CLIK (CLIK 3. 0) CLimate Information tool Kit User Manual Userr Manual Draft ver.1, 2014. 10. Hyunrok Lee and Sang-Cheol Kim Climate Informatics and Applicationn Team, Research Department,, 12, Centum

More information

Withdrawn Equity Offerings: Event Study and Cross-Sectional Regression Analysis Using Eventus Software

Withdrawn Equity Offerings: Event Study and Cross-Sectional Regression Analysis Using Eventus Software Withdrawn Equity Offerings: Event Study and Cross-Sectional Regression Analysis Using Eventus Software Copyright 1998-2001 Cowan Research, L.C. This note demonstrates the use of Eventus software to conduct

More information

Westinghouse UK AP1000 GENERIC DESIGN ASSESSMENT. Criticality control in SFP. Radwaste and Decommissioning

Westinghouse UK AP1000 GENERIC DESIGN ASSESSMENT. Criticality control in SFP. Radwaste and Decommissioning Westinghouse UK AP1000 GENERIC DESIGN ASSESSMENT Criticality control in SFP MAIN ASSESSMENT AREA Radiation Protection RELATED ASSESSMENT AREA(S) Fault Studies Radwaste and Decommissioning RESOLUTION PLAN

More information

Latin America Emerging Markets FY2015. Value Proposition

Latin America Emerging Markets FY2015. Value Proposition Latin America Emerging Markets FY2015 Value Proposition September 2014 International Data Corporation (IDC) is the premier global provider of market intelligence, advisory services, and events for the

More information

Business Result for the Second Quarter ended September 30, 2017 Regional Market Environments and Projections

Business Result for the Second Quarter ended September 30, 2017 Regional Market Environments and Projections Business Result for the Second Quarter ended September 3, 217 Regional Market Environments and Projections October 2, 217 Hitachi Construction Machinery Co., Ltd. Executive Vice President and Executive

More information

Hematology Program (BC90A/BC90B/BC90C/BC90D/CS90A/CS90B/CS90C/CS90D) Cycle 11: March 2016 February Sample No: 1 Sample Date: 14 Apr 16

Hematology Program (BC90A/BC90B/BC90C/BC90D/CS90A/CS90B/CS90C/CS90D) Cycle 11: March 2016 February Sample No: 1 Sample Date: 14 Apr 16 Exceptions (BC90A/BC90B/BC90C/BC90D/CS90A/CS90B/CS90C/CS90D) : March 206 February 207 None at this time. Legend: No Warnings Missing Result Late Results < < > * Amended Result (per participant s request)

More information

1.0 PXL-500 Family Controllers

1.0 PXL-500 Family Controllers When adding newer controllers into an access control network with older controllers, certain rules and restrictions apply. This document provides compatibility tables for software, PXL Tiger Controller

More information

YOUR BUSINESS Networking Lunch & Vendor Fair

YOUR BUSINESS Networking Lunch & Vendor Fair 10th Annual YOUR BUSINESS Networking Lunch & Vendor Fair THURSDAY, FEBRUARY 8, 2018 9:30 AM - 2 PM OPEN TO THE PUBLIC - Tell your Customers! The Center for Visual & Performing Arts, 1040 Ridge Rd., Munster

More information

How to Implement the One-Time Methodology Mark Tabladillo, Ph.D., Atlanta, GA

How to Implement the One-Time Methodology Mark Tabladillo, Ph.D., Atlanta, GA How to Implement the One-Time Methodology Mark Tabladillo, Ph.D., Atlanta, GA ABSTRACT This tutorial will demonstrate how to implement the One-Time Methodology, a way to manage, validate, and process survey

More information

SF Current Cumulative PTF Package. I B M i P R E V E N T I V E S E R V I C E P L A N N I N G I N F O R M A T I O N

SF Current Cumulative PTF Package. I B M i P R E V E N T I V E S E R V I C E P L A N N I N G I N F O R M A T I O N SF98720 Current Cumulative PTF Package I B M i P R E V E N T I V E S E R V I C E P L A N N I N G I N F O R M A T I O N Copyright IBM Corporation 1993, 2017 - The information in this document was last updated:

More information

Combining Contiguous Events and Calculating Duration in Kaplan-Meier Analysis Using a Single Data Step

Combining Contiguous Events and Calculating Duration in Kaplan-Meier Analysis Using a Single Data Step Combining Contiguous Events and Calculating Duration in Kaplan-Meier Analysis Using a Single Data Step Hui Song, PRA International, Horsham, PA George Laskaris, PRA International, Horsham, PA ABSTRACT

More information

SAS/STAT 13.1 User s Guide. The NESTED Procedure

SAS/STAT 13.1 User s Guide. The NESTED Procedure SAS/STAT 13.1 User s Guide The NESTED Procedure This document is an individual chapter from SAS/STAT 13.1 User s Guide. The correct bibliographic citation for the complete manual is as follows: SAS Institute

More information

Stakeholder consultation process and online consultation platform

Stakeholder consultation process and online consultation platform Stakeholder consultation process and online consultation platform Grant agreement no.: 633107 Deliverable No. D6.2 Stakeholder consultation process and online consultation platform Status: Final Dissemination

More information

Certificate in Security Management

Certificate in Security Management Certificate in Security Management Page 1 of 6 Why Attend This course will provide participants with an insight into the fundamentals of managing modern and effective security operations. It will address

More information

ARRL RADIOGRAM A How To

ARRL RADIOGRAM A How To ARRL RADIOGRAM A How To EmComm East 2011 By John KB2SCS kb2scs@arrl.net With excerpts from the W3YVQ.v1.04-5/02 PSCM APP.-B NTS MPG-MESSAGE FORMAT ARRL publication FSD-3 (5/05) What we will learn today:

More information

Scaling on one node Hybrid engines with Multi-GPU on In-Memory database queries

Scaling on one node Hybrid engines with Multi-GPU on In-Memory database queries Scaling on one node Hybrid engines with Multi-GPU on In-Memory database queries S23294 - Peter Strohm - Jedox AG GPU Technology Conference Europe 2017 Peter Strohm - @psjedox - #JedoxGTC17 1 Jedox GPU

More information

Next Steps for WHOIS Accuracy Global Domains Division. ICANN June 2015

Next Steps for WHOIS Accuracy Global Domains Division. ICANN June 2015 Next Steps for WHOIS Accuracy Global Domains Division ICANN 53 24 June 2015 Agenda: Next Steps for WHOIS Accuracy Reporting System 1 2 3 Introduction and Implementation Approach Pilot Project and Lessons

More information

POSTAL AND TELECOMMUNICATIONS REGULATORY AUTHORITY OF ZIMBABWE (POTRAZ)

POSTAL AND TELECOMMUNICATIONS REGULATORY AUTHORITY OF ZIMBABWE (POTRAZ) POSTAL AND TELECOMMUNICATIONS REGULATORY AUTHORITY OF ZIMBABWE (POTRAZ) ABRIDGED POSTAL AND TELECOMMUNICATIONS SECTOR PERFORMANCE REPORT SECOND QUARTER 2015 Disclaimer: This report has been prepared based

More information

Arrays: The How and the Why of it All Jane Stroupe

Arrays: The How and the Why of it All Jane Stroupe Arrays: The How and the Why of it All Jane Stroupe When you need to join data sets, do you even ask yourself Why don t I just use an array? Perhaps because arrays are a mystery or perhaps because you have

More information

NORTHWEST. Course Schedule: Through June 2018 MICROSOFT ACCESS. Access 2016 / Access 2010 / Last Revised: 11/13/2017

NORTHWEST. Course Schedule: Through June 2018 MICROSOFT ACCESS. Access 2016 / Access 2010 / Last Revised: 11/13/2017 2659 Commercial Street SE, Suite 210 Salem, Oregon 97302 The Professional s Choice since 1983 Locally Owned & Operated Course Schedule: Through June 2018 Last Revised: 11/13/2017 Phone: (503) 362-4818

More information

Advancing the Art of Internet Edge Outage Detection

Advancing the Art of Internet Edge Outage Detection Advancing the Art of Internet Edge Outage Detection ACM Internet Measurement Conference 2018 Philipp Richter MIT / Akamai Ramakrishna Padmanabhan University of Maryland Neil Spring University of Maryland

More information

2014 Forecast Results

2014 Forecast Results 214 Forecast Results Duration Forecast Result* Accuracy US GDP 15 $16.98 Trillion $16.345 Trillion 98.5% US Ind. Prod. 13 11.5 (12MMA) 14.2 97.3% EU Ind. Prod. 14 1.6 (12MMA) 11.6 99.% Canada Ind Prod

More information

SAS Publishing SAS. Forecast Studio 1.4. User s Guide

SAS Publishing SAS. Forecast Studio 1.4. User s Guide SAS Publishing SAS User s Guide Forecast Studio 1.4 The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2006. SAS Forecast Studio 1.4: User s Guide. Cary, NC: SAS Institute

More information

U.S. Digital Video Benchmark Adobe Digital Index Q2 2014

U.S. Digital Video Benchmark Adobe Digital Index Q2 2014 U.S. Digital Video Benchmark Adobe Digital Index Q2 2014 Table of contents Online video consumption 3 Key insights 5 Online video start growth 6 Device share of video starts 7 Ad start per video start

More information

Imputation for missing data through artificial intelligence 1

Imputation for missing data through artificial intelligence 1 Ninth IFC Conference on Are post-crisis statistical initiatives completed? Basel, 30-31 August 2018 Imputation for missing data through artificial intelligence 1 Byeungchun Kwon, Bank for International

More information

Excel Functions & Tables

Excel Functions & Tables Excel Functions & Tables SPRING 2016 Spring 2016 CS130 - EXCEL FUNCTIONS & TABLES 1 Review of Functions Quick Mathematics Review As it turns out, some of the most important mathematics for this course

More information

MISO PJM Joint and Common Market Cross Border Transmission Planning

MISO PJM Joint and Common Market Cross Border Transmission Planning MISO PJM Joint and Common Market Cross Border Transmission Planning May 30, 2018 1 Coordinated System Plan Study 2 Using information from the March 30 Annual Issues Review, the JRPC has decided to perform

More information

Peak Season Metrics Summary

Peak Season Metrics Summary Peak Season Metrics Summary Week Ending Week Ending Number Date Number Date 1 6-Jan-18 27 7-Jul-18 2 13-Jan-18 28 14-Jul-18 3 2-Jan-18 29 21-Jul-18 4 27-Jan-18 3 28-Jul-18 Current 5 3-Feb-18 Thursday,

More information

CMR India Monthly Mobile Handset Market Report. June 2017

CMR India Monthly Mobile Handset Market Report. June 2017 CMR India Monthly Mobile Handset Market Report June 2017 Cyber Media Research Ltd. www.cmrindia.com Submitted by: Copyright 1 Copyright 2017 Cyber 2017 Cyber Media Media Research Research Ltd. Reproduction

More information

Annex A to the DVD-R Disc and DVD-RW Disc Patent License Agreement Essential Sony Patents relevant to DVD-RW Disc

Annex A to the DVD-R Disc and DVD-RW Disc Patent License Agreement Essential Sony Patents relevant to DVD-RW Disc Annex A to the DVD-R Disc and DVD-RW Disc Patent License Agreement Essential Sony Patents relevant to DVD-RW Disc AT-EP S95P0391 1103087.1 09-Feb-01 1126619 8/16 Modulation AT-EP S95P0391 1120568.9 29-Aug-01

More information

Economic Update German American Chamber of Commerce

Economic Update German American Chamber of Commerce Economic Update German American Chamber of Commerce Federal Reserve Bank of Chicago October 6, 2015 Paul Traub Senior Business Economist U.S. Real GDP Billions Chained $2009, % Change Q/Q at SAAR $ Billions

More information