A Way to Work with Invoice Files in SAS

Size: px
Start display at page:

Download "A Way to Work with Invoice Files in SAS"

Transcription

1 A Way to Work with Invoice Files in SAS Anjan Matlapudi and J. Daniel Knapp Pharmacy Informatics, PerformRx, The Next Generation PBM, 200 Stevens Drive, Philadelphia, PA ABSTRACT This paper illustrates how to design an appropriate input program to handle invoice files electronically generated from a DB2 database. The invoice is a text file report document issued from the pharmacy claim payer which displays the pharmacy claim payment statistics for a given accounting period. The invoice file is the output of a COBOL program pulling data from a DB2 database which is then brought to the PC via FTP. The challenge we encountered consisted of taking text invoice summary reports files and converting them into electronic data that we could use to create monthly client dashboards. In the past a clerk had to print the invoice reports and type the information into an Excel file, in order to be able to electronically use the data. The various INFILE and INPUT options are illustrated in the process, and some related functions are considered. Although the program was written for the PC, the technique is applicable for any system. All the tools discussed are in BASE SAS. The typical attendee or reader will have some experience in SAS, but not a lot of experience dealing with the input of external data. INTRODUCTION The SAS system has an excellent facility for importing and analyzing data from delimited text files generated from different data sources. This presentation is designed to illustrate how to import, read and summarize invoice report data which is not in delimited file format. The invoice report summaries are plain ASCII (American Standard Code for Information Interchange) text files which provide financial pharmacy claim payment information. In this paper we will discuss how to transform this data into actionable information. The examples in this paper explain how to use the FILENAME and INPUT statements to read necessary fields as well as how to use PROC SUMMARY to summarize invoice data. INVOICE FILE STRUCTURE The invoice report summaries are billing statements consisting of headers and detail information such as claim counts, payment adjustments and payment totals as shown in the document below. We will walk through each step in SAS to explain how we process this data. The pointed arrows (blue and dark red) in the invoice file below serve to identify the fields which we will read and summarize. 1

2 STEP-1: IDENTIFY THE DATA SOURCE The invoice files are created and placed in specific paths on the network and can be pulled into our program using the INFILE statement. LRECL (logical record length) is used to specify the file length (default is 256 bytes) The following example shows how to code the specific file name or use a wildcard to pull all the files from the specified directory. data Innvoice; infile "C:\NESUG 2011 Papers\InvoiceFile.txt" lrecl=133;**full file name; infile "C:\NESUG 2011 Papers\*.txt" lrecl=133;**wildcard to access all files; infile "C:\NESUG 2011 Papers\*.*,txt" lrecl=133; *---more statements go here ---*; If we know the specific date that these files are placed in the network subdirectory, then we can use the following macro variables to grab the files. The %GLOBAL statement creates a global macro variable that exists for the entire SAS programming session. The %LOCAL statement creates a local macro variable that exists only during the execution of the macro. The below sample code shows the CALL SYMPUT routine in a DATA _NULL_ step to refer to yesterday s date and pull all applicable files. %**----Pull yesterday s or previous date files---**; %Global YR; %Global MO; %Global DD; data _Null_; yesterday=today()-1; **Change to previous data; call symput('yr', put(year (yesterday),4.) ); 2

3 call symput('mo', put(month(yesterday),z2.) ); call symput('dd', put(day(yesterday),z2.) ); %put &yr. &mo. &dd.; data Innvoice; infile "C:\NESUG 2011 Papers\InvoiceFile&dd.&mm.&dd..txt" lrecl=133;; **---more statements follow ---**; Since in our example invoice files are generated on the 1 st, 15 th, and 30 th of every month, we use the %MACRO statement with keyword parameter as shown or we can even use positional parameters without keywords in order to read the files. data _null_; *Format = YYMMDD*; %let begin = ; %let middle = ; %let end = ; %macro Read_Invoice() data &Inv.; file = "&cycle."; infile "C:\NESUG 2011 Papers\InvoiceFile&cycle..txt" lrecl=133;; **----more statements go from here---**; %mend; %Read_Invoice(Inv=Invoice1,cycle = Begin); %Read_Invoice(Inv=Invoice2,cycle = Middle); %Read_Invoice(Inv=Invoice3,cycle = End); STEP-2: READING INVOICE DATA Once the data source has been identified using the INFILE statement, the INPUT statement does the actual reading. In this case two INPUT statements were used to read required fields (blue and red arrows) as shown in the file. Our challenge was to find a way to read the detail information for each Group ID. Therefore, we used the with the INPUT statement to read Group ID at position #2 on the invoice text report. If the value of Group ID matches the group ID list below, then we use / to move the SAS pointer to the next row, where we input the fields from their respective positions in the invoice report text file. %macro Read_Invoice(inv,cycle) data &Inv.; infile "C:\NESUG 2011 Papers\InvoiceFile&cycle..txt" lrecl=133; group_id $8.@; if group_id in ('PLANID01' 'PLANID02''PLANID03' 'PLANID04' 'PLANID05' 'PLANID06' 'PLANID07''PLANID08' 'PLANID09' 'PLANID10' 'PLANID11' 'PLANID12') then do; rxcount paid_amount copay adjustments adj_amount adj_copay admin_expense comma15.2; *----Addtional Caluculations----*; ADJ_AMOUNT = ADJ_AMOUNT * (-1); *Convert to +'ve values; ADJ_COPAY = ADJ_COPAY * (-1); NET_PAID = PAID_AMOUNT - COPAY + ADJ_AMOUNT - ADJ_COPAY; 3

4 TOTAL_COPAY = COPAY + ADJ_COPAY; TOTAL_PAID = NET_PAID + ADMIN_EXPENSE; TOTAL_RX = RXCOUNT - ADJUSTMENTS; format total_rx comma10. total_copay dollar20.2 total_paid dollar20.2; length GroupName $12.; select (group_id); when('planid01','planid02') GroupName='MedPland A'; when('planid03','planid10') GroupName='MedPland B'; when('planid11','planid12') GroupName='MedPland C'; otherwise error GroupName= 'No MedPlan'; end; output &Inv.; end; %mend; %Read_Invoice(Inv=Invoice1,cycle = Begin); %Read_Invoice(Inv=Invoice2,cycle = Middle); %Read_Invoice(Inv=Invoice3,cycle = End); Any additional calculations, formatting or subsetting can be done within the same DATA step as shown in the above code. STEP3 SUMMARIZE INVOICE DATA In order to summarize the data for our monthly client dashboard reports, we use the PROC SUMMARY procedure. Initially we combine all the billing cycle data into one dataset; then we run a simple summary using the NWAY option to suppress all subtotal and grand total records. We also use the MISSING option to specify that missing values of the CLASS variable be treatment as a valid class level. We specify GroupName as the CLASS variable in order to group observations appropriately. The OUTPUT statement is used to create the output data set (OUT= specifies the name of the output data set). We drop the two automatic variables ( _TYPE_ and _FREQ_) created by PROC SUMMARY, as we have no use for them in this example. *----stack all invoice files---*; data all(keep=file GroupName Total_Rx Total_Copay Total_Paid); set Invoice1 Invoice2 Invoice3; *----output invoice summary----*; proc summary nway missing data=all; class GroupName; var Total_Rx Total_Copay Total_Paid; output out=allsum(drop=_type freq_)sum=; run STEP4 OUTPUT INVOICE REPORT We use PROC REPORT to output the above summarized invoice data. The ODS RTF statement is used to OUTPUT the report as Invoice Summary Report.rtf. The following code generates three output files broken down by group name CREATE REPORT */ ods escapechar='#'; *****TO CREATE SPLIT STACK OF DATA ; options ls=133 ps=48 center nodate nonumber missing=' 'orientation=portrait ; ods rtf file=" C:\NESUG 2011 Papers\Invoice Paper 2011\ \Invoice sumary Report.rtf " style=styles.courier; title1 justify=center "Invoice Summary Report 2011" 4

5 j=r "{Page} {\field{\*\fldinst{ PAGE }}}\~{of}\~{\field{\*\fldinst {NUMPAGES }}}"; title2 j=center "Health Plans "; footnote1 j = center "&sysdate9. &systime." ; proc report data=innvoicesum nowd split='#' formchar(2)=' ' missing style=[preimage = "C:\NESUG 2011 Papers\perform_rx.gif"] style(report)=[background=white bordercolor=black borderwidth=0.2 asis=off frame = HSIDES rules = groups cellpadding = 1.0 cellspacing = 1.0] style(header)=[background=white font = Fonts('headingFont')] ; by GroupName; columns GroupName Group_ID Total_Rx Total_Copay Total_paid ; label GroupName='Plan'; define GroupName / dispaly 'Group Name 'style()={just=left cellwidth=1.8in}; define Group_ID / dispaly 'Group ID style()={just=left cellwidth=1.1in}; define Total_Rx / 'Rx Count' style()={just=right cellwidth=1.1in}; define Total_Copay/ 'Co-Pay' style()={just=right cellwidth=1.1in}; define Total_paid / 'Total Paid' style()={just=right cellwidth=1.1in}; compute after GroupName / style()={cellheight=0.4in}; line ' ' ; endcomp; quit; ods rtf close; ods listing; Invoice Summary Report 2011 Health Plans 2011 Plan=MedPlan A Group Name Group ID Rx Count Co-Pay Total Paid MedPlan A PLANID $6, $19, MedPlan A PLANID $9, $29, Plan=MedPlan B Group Name Group ID Rx Count Co-Pay Total Paid MedPlan B PLANID $12, $37, MedPlan B PLANID04 3,151 $44, $139, MedPlan B PLANID05 11,804 $155, $388, MedPlan B PLANID $2, $25, MedPlan B PLANID08 7 $5.00 $2, MedPlan B PLANID $1, $12, MedPlan B PLANID10 14 $36.00 $

6 Plan=MedPlan C Group Name Group ID Rx Count Co-Pay Total Paid MedPlan C PLANID11 1,116 $16, $55, MedPlan C PLANID12 5,279 $70, $212, CONCLUSION We have illustrated a very simple way to read and summarize data from invoice report text files. The data is then used to create pharmacy dashboard reports. Although this paper illustrates summarizing pharmacy claims data, the SAS program can used for reading any invoice report text file. REFERENCES John Leveille, Healthcare Intelligence: The Challenge of OLAP for Healthcare Data, HealthCare Providers & Insures Paper Kuligowski, T. Andew. Datalines, Sequential Files, CVS, HTML and More Using INFILE and INPUT Statements to Introduce External Data into the SAS System, SUGI 31 Tutorials Paper AKNOWLDEGMENTS We would like to acknowledge Mr. Shimels Afework, Senior Director, PerformRx. PerformRx, LLC provides pharmacy benefit management (PBM) services through proactively managing escalating pharmacy costs while focusing on clinical improvement and financial results. CONTACT INFORMATION: Your comments and questions are valued and encouraged. Contact the authors at Name Anjan Matlapudi Senior Pharmacy Analyst Address PerformRx, The Next Generation PBM 200 Stevens Drive Philadelphia, PA Work Phone: (215) Fax: (215) anjan.matlapudi@performrx.com anjanmat@gmail.com Name Knapp, J. Daniel Senior Manager Address PerformRx, The Next Generation PBM 200 Stevens Drive Philadelphia, PA Work Phone: ( Fax: (215) Daniel.Knapp@performrx.com Jdjeep57@yahoo.com SAS is a registered trademark or trademark of SAS Institute, Inc. in the USA and other countries. IBM, OS/390, and MVS are registered trademarks of International Business Machines Inc. 6

Please Don't Lag Behind LAG!

Please Don't Lag Behind LAG! Please Don't Lag Behind LAG! Anjan Matlapudi and J. Daniel Knapp Pharmacy Informatics and Finance PerformRx, The Next Generation PBM 200 Stevens Drive, Philadelphia, PA 19113 ABSTRACT A programmer may

More information

Tips for Moving From Base SAS 9.3 to SAS Enterprise Guide 5.1 Anjan Matlapudi Corporate Medical Informatics AmeriHealth Caritas Family of Companies

Tips for Moving From Base SAS 9.3 to SAS Enterprise Guide 5.1 Anjan Matlapudi Corporate Medical Informatics AmeriHealth Caritas Family of Companies Paper 1890-2014 Tips for Moving From Base SAS 9.3 to SAS Enterprise Guide 5.1 Anjan Matlapudi Corporate Medical Informatics AmeriHealth Caritas Family of Companies ABSTRACT As a longtime Base SAS programmer,

More information

Run your reports through that last loop to standardize the presentation attributes

Run your reports through that last loop to standardize the presentation attributes PharmaSUG2011 - Paper TT14 Run your reports through that last loop to standardize the presentation attributes Niraj J. Pandya, Element Technologies Inc., NJ ABSTRACT Post Processing of the report could

More information

ABSTRACT INTRODUCTION MACRO. Paper RF

ABSTRACT INTRODUCTION MACRO. Paper RF Paper RF-08-2014 Burst Reporting With the Help of PROC SQL Dan Sturgeon, Priority Health, Grand Rapids, Michigan Erica Goodrich, Priority Health, Grand Rapids, Michigan ABSTRACT Many SAS programmers need

More information

Formatting Highly Detailed Reports: Eye-Friendly, Insight-Facilitating

Formatting Highly Detailed Reports: Eye-Friendly, Insight-Facilitating L.Fine Formatting Highly Detailed Reports 1 Formatting Highly Detailed Reports: Eye-Friendly, Insight-Facilitating Lisa Fine, United BioSource Corporation Introduction Consider a highly detailed report

More information

SAS Online Training: Course contents: Agenda:

SAS Online Training: Course contents: Agenda: SAS Online Training: Course contents: Agenda: (1) Base SAS (6) Clinical SAS Online Training with Real time Projects (2) Advance SAS (7) Financial SAS Training Real time Projects (3) SQL (8) CV preparation

More information

Utilizing SAS for Cross- Report Verification in a Clinical Trials Setting

Utilizing SAS for Cross- Report Verification in a Clinical Trials Setting Utilizing SAS for Cross- Report Verification in a Clinical Trials Setting Daniel Szydlo, SCHARP/Fred Hutch, Seattle, WA Iraj Mohebalian, SCHARP/Fred Hutch, Seattle, WA Marla Husnik, SCHARP/Fred Hutch,

More information

Essential ODS Techniques for Creating Reports in PDF Patrick Thornton, SRI International, Menlo Park, CA

Essential ODS Techniques for Creating Reports in PDF Patrick Thornton, SRI International, Menlo Park, CA Thornton, S. P. (2006). Essential ODS techniques for creating reports in PDF. Paper presented at the Fourteenth Annual Western Users of the SAS Software Conference, Irvine, CA. Essential ODS Techniques

More information

OS/390 SAS/MXG Computer Performance Reports in HTML Format

OS/390 SAS/MXG Computer Performance Reports in HTML Format Paper 153-29 E-Mail OS/390 SAS/MXG Computer Performance Reports in HTML Format ABSTRACT Neal Musitano Jr. Department of Veterans Affairs Information Technology Center Philadelphia, Pennsylvania This paper

More information

ODS/RTF Pagination Revisit

ODS/RTF Pagination Revisit PharmaSUG 2018 - Paper QT-01 ODS/RTF Pagination Revisit Ya Huang, Halozyme Therapeutics, Inc. Bryan Callahan, Halozyme Therapeutics, Inc. ABSTRACT ODS/RTF combined with PROC REPORT has been used to generate

More information

Procedure for Stamping Source File Information on SAS Output Elizabeth Molloy & Breda O'Connor, ICON Clinical Research

Procedure for Stamping Source File Information on SAS Output Elizabeth Molloy & Breda O'Connor, ICON Clinical Research Procedure for Stamping Source File Information on SAS Output Elizabeth Molloy & Breda O'Connor, ICON Clinical Research ABSTRACT In the course of producing a report for a clinical trial numerous drafts

More information

Base and Advance SAS

Base and Advance SAS Base and Advance SAS BASE SAS INTRODUCTION An Overview of the SAS System SAS Tasks Output produced by the SAS System SAS Tools (SAS Program - Data step and Proc step) A sample SAS program Exploring SAS

More information

PharmaSUG Paper PO12

PharmaSUG Paper PO12 PharmaSUG 2015 - Paper PO12 ABSTRACT Utilizing SAS for Cross-Report Verification in a Clinical Trials Setting Daniel Szydlo, Fred Hutchinson Cancer Research Center, Seattle, WA Iraj Mohebalian, Fred Hutchinson

More information

ODS DOCUMENT, a practical example. Ruurd Bennink, OCS Consulting B.V., s-hertogenbosch, the Netherlands

ODS DOCUMENT, a practical example. Ruurd Bennink, OCS Consulting B.V., s-hertogenbosch, the Netherlands Paper CC01 ODS DOCUMENT, a practical example Ruurd Bennink, OCS Consulting B.V., s-hertogenbosch, the Netherlands ABSTRACT The ODS DOCUMENT destination (in short ODS DOCUMENT) is perhaps the most underutilized

More information

Using DDE with Microsoft Excel and SAS to Collect Data from Hundreds of Users

Using DDE with Microsoft Excel and SAS to Collect Data from Hundreds of Users Using DDE with Microsoft Excel and SAS to Collect Data from Hundreds of Users Russell Denslow and Yan Li Sodexho Marriott Services, Orlando, FL ABSTRACT A process is demonstrated in this paper to automatically

More information

USING DATA TO SET MACRO PARAMETERS

USING DATA TO SET MACRO PARAMETERS USING DATA TO SET MACRO PARAMETERS UPDATE A PREVIOUS EXAMPLE %macro report(regs=); %let r=1; %let region=%scan(&regs,&r); %do %until(&region eq ); options nodate pageno=1; ods pdf file="&region..pdf";

More information

Pros and Cons of Interactive SAS Mode vs. Batch Mode Irina Walsh, ClinOps, LLC, San Francisco, CA

Pros and Cons of Interactive SAS Mode vs. Batch Mode Irina Walsh, ClinOps, LLC, San Francisco, CA Pros and Cons of Interactive SAS Mode vs. Batch Mode Irina Walsh, ClinOps, LLC, San Francisco, CA ABSTRACT It is my opinion that SAS programs can be developed in either interactive or batch mode and produce

More information

INTRODUCTION TO SAS HOW SAS WORKS READING RAW DATA INTO SAS

INTRODUCTION TO SAS HOW SAS WORKS READING RAW DATA INTO SAS TO SAS NEED FOR SAS WHO USES SAS WHAT IS SAS? OVERVIEW OF BASE SAS SOFTWARE DATA MANAGEMENT FACILITY STRUCTURE OF SAS DATASET SAS PROGRAM PROGRAMMING LANGUAGE ELEMENTS OF THE SAS LANGUAGE RULES FOR SAS

More information

Automated Macros to Extract Data from the National (Nationwide) Inpatient Sample (NIS)

Automated Macros to Extract Data from the National (Nationwide) Inpatient Sample (NIS) Paper 3327-2015 Automated Macros to Extract Data from the National (Nationwide) Inpatient Sample (NIS) Ravi Gaddameedi, California State University, Eastbay, CA; Usha Kreaden, Intuitive Surgical, Sunnyvale,

More information

Sign of the Times: Using SAS to Produce Conference Signage Daniel K. Downing, Caremark, Scottsdale, Ariz.

Sign of the Times: Using SAS to Produce Conference Signage Daniel K. Downing, Caremark, Scottsdale, Ariz. Sign of the Times: Using SAS to Produce Conference Signage Daniel K. Downing, Caremark, Scottsdale, Ariz. ABSTRACT Sign, sign, everywhere a sign. Are you at the right place at the right time? Who knows?

More information

A Macro To Generate a Study Report Hany Aboutaleb, Biogen Idec, Cambridge, MA

A Macro To Generate a Study Report Hany Aboutaleb, Biogen Idec, Cambridge, MA Paper PO26 A Macro To Generate a Study Report Hany Aboutaleb, Biogen Idec, Cambridge, MA Abstract: Imagine that you are working on a study (project) and you would like to generate a report for the status

More information

SeUGI 19 - Florence WEB Enabling SAS output. Author : Darryl Lawrence

SeUGI 19 - Florence WEB Enabling SAS output. Author : Darryl Lawrence SeUGI 19 - Florence WEB Enabling SAS output Author : Darryl Lawrence Agenda Company Profile Overview of Change of Address Process Old Change of Address Process Automated HTML Delivery Demo Summary The

More information

MillinPro+ USER GUIDE. A Complete Web-Based Platform for Managing Medical Bills and Insurance Claims

MillinPro+ USER GUIDE. A Complete Web-Based Platform for Managing Medical Bills and Insurance Claims MillinPro+ A Complete Web-Based Platform for Managing Medical Bills and Insurance Claims MILLIN ASSOCIATES, LLC USER GUIDE 2010-2012 Copyrights Reserved Millin Associates, LLC Document Change History Version

More information

INTRODUCTION THE FILENAME STATEMENT CAPTURING THE PROGRAM CODE

INTRODUCTION THE FILENAME STATEMENT CAPTURING THE PROGRAM CODE Sharing Your Tips and Tricks with Others. Give Your Toolbox a Web Presence John Charles Gober Bureau of the Census, Demographic Surveys Methodology Division INTRODUCTION The purpose of this paper is to

More information

An Introduction to SAS Macros

An Introduction to SAS Macros An Introduction to SAS Macros Expanded token SAS Program (Input Stack) SAS Wordscanner (Tokenization) Non-Macro (Tokens) SAS Compiler % and & Triggers Macro Facility Steven First, President 2997 Yarmouth

More information

Use That SAP to Write Your Code Sandra Minjoe, Genentech, Inc., South San Francisco, CA

Use That SAP to Write Your Code Sandra Minjoe, Genentech, Inc., South San Francisco, CA Paper DM09 Use That SAP to Write Your Code Sandra Minjoe, Genentech, Inc., South San Francisco, CA ABSTRACT In this electronic age we live in, we usually receive the detailed specifications from our biostatistician

More information

Using Dynamic Data Exchange

Using Dynamic Data Exchange 145 CHAPTER 8 Using Dynamic Data Exchange Overview of Dynamic Data Exchange 145 DDE Syntax within SAS 145 Referencing the DDE External File 146 Determining the DDE Triplet 146 Controlling Another Application

More information

A Table Driven ODS Macro Diane E. Brown, exponential Systems, Indianapolis, IN

A Table Driven ODS Macro Diane E. Brown, exponential Systems, Indianapolis, IN A Table Driven ODS Macro Diane E. Brown, exponential Systems, Indianapolis, IN ABSTRACT Tired of coding ODS statements and SAS output procedures for every report you write and having redundant or similar

More information

An Introduction to PROC REPORT

An Introduction to PROC REPORT Paper BB-276 An Introduction to PROC REPORT Kirk Paul Lafler, Software Intelligence Corporation, Spring Valley, California Abstract SAS users often need to create and deliver quality custom reports and

More information

Tips and Tricks to Create In-text Tables in Clinical Trial Repor6ng Using SAS

Tips and Tricks to Create In-text Tables in Clinical Trial Repor6ng Using SAS Tips and Tricks to Create In-text Tables in Clinical Trial Repor6ng Using SAS By Rafi Rahi - by Murshed Siddick 1 Overview In-text tables in CTR Produc

More information

Writing Programs in SAS Data I/O in SAS

Writing Programs in SAS Data I/O in SAS Writing Programs in SAS Data I/O in SAS Statistics 135 Autumn 2005 Copyright c 2005 by Mark E. Irwin Writing SAS Programs Your SAS programs can be written in any text editor, though you will often want

More information

SAS 101. Based on Learning SAS by Example: A Programmer s Guide Chapter 21, 22, & 23. By Tasha Chapman, Oregon Health Authority

SAS 101. Based on Learning SAS by Example: A Programmer s Guide Chapter 21, 22, & 23. By Tasha Chapman, Oregon Health Authority SAS 101 Based on Learning SAS by Example: A Programmer s Guide Chapter 21, 22, & 23 By Tasha Chapman, Oregon Health Authority Topics covered All the leftovers! Infile options Missover LRECL=/Pad/Truncover

More information

ODS for PRINT, REPORT and TABULATE

ODS for PRINT, REPORT and TABULATE ODS for PRINT, REPORT and TABULATE Lauren Haworth, Genentech, Inc., San Francisco ABSTRACT For most procedures in the SAS system, the only way to change the appearance of the output is to change or modify

More information

SUGI 29 Data Warehousing, Management and Quality

SUGI 29 Data Warehousing, Management and Quality Building a Purchasing Data Warehouse for SRM from Disparate Procurement Systems Zeph Stemle, Qualex Consulting Services, Inc., Union, KY ABSTRACT SAS Supplier Relationship Management (SRM) solution offers

More information

A SAS Macro Utility to Modify and Validate RTF Outputs for Regional Analyses Jagan Mohan Achi, PPD, Austin, TX Joshua N. Winters, PPD, Rochester, NY

A SAS Macro Utility to Modify and Validate RTF Outputs for Regional Analyses Jagan Mohan Achi, PPD, Austin, TX Joshua N. Winters, PPD, Rochester, NY PharmaSUG 2014 - Paper BB14 A SAS Macro Utility to Modify and Validate RTF Outputs for Regional Analyses Jagan Mohan Achi, PPD, Austin, TX Joshua N. Winters, PPD, Rochester, NY ABSTRACT Clinical Study

More information

The REPORT Procedure CHAPTER 32

The REPORT Procedure CHAPTER 32 859 CHAPTER 32 The REPORT Procedure Overview 861 Types of Reports 861 A Sampling of Reports 861 Concepts 866 Laying Out a Report 866 Usage of Variables in a Report 867 Display Variables 867 Order Variables

More information

OS/390 DASD I/O Drill Down Computer Performance Chart Using ODS SAS/GRAPH & MXG Software

OS/390 DASD I/O Drill Down Computer Performance Chart Using ODS SAS/GRAPH & MXG Software Paper 216-27 OS/390 DASD I/O Drill Down Computer Performance Chart Using ODS SAS/GRAPH & MXG Software Neal Musitano Jr. Department of Veterans Affairs Information Technology Center Philadelphia, Pennsylvania

More information

A Macro to Manage Table Templates Mark Mihalyo, Community Care Behavioral Health Organization, Pittsburgh, PA

A Macro to Manage Table Templates Mark Mihalyo, Community Care Behavioral Health Organization, Pittsburgh, PA A Macro to Manage Table Templates Mark Mihalyo, Community Care Behavioral Health Organization, Pittsburgh, PA ABSTRACT The scenario: Data must be placed in a table or chart design provided by the company

More information

MARK CARPENTER, Ph.D.

MARK CARPENTER, Ph.D. MARK CARPENTER, Ph.D. Module 1 : THE DATA STEP (1, 2, 3) Keywords : DATA, INFILE, INPUT, FILENAME, DATALINES Procedures : PRINT Pre-Lecture Preparation: create directory on your local hard drive called

More information

IT S THE LINES PER PAGE THAT COUNTS Jonathan Squire, C2RA, Cambridge, MA Johnny Tai, Comsys, Portage, MI

IT S THE LINES PER PAGE THAT COUNTS Jonathan Squire, C2RA, Cambridge, MA Johnny Tai, Comsys, Portage, MI IT S THE LINES PER PAGE THAT COUNTS Jonathan Squire, C2RA, Cambridge, MA Johnny Tai, Comsys, Portage, MI ABSTRACT When the bodytitle option is used to keep titles and footnotes independent of the table

More information

Reporting Template. By Denis Fafard Business Analyst WCB - Alberta

Reporting Template. By Denis Fafard Business Analyst WCB - Alberta Reporting Template By Denis Fafard Business Analyst WCB - Alberta Problem Reports built to different standards - Hard to maintain - Hard to support unless you re the author Time Consuming to login and

More information

Automatically Generating a Customized Table for Summarizing the Activities in Clinics

Automatically Generating a Customized Table for Summarizing the Activities in Clinics Automatically Generating a Customized Table for Summarizing the Activities in Clinics Yan Xu, Joyce X. Wu and Han Wu * Keywords: Automatically, Tabulate, INTCK, INTNX Abstract Automatically generating

More information

Summary Table for Displaying Results of a Logistic Regression Analysis

Summary Table for Displaying Results of a Logistic Regression Analysis PharmaSUG 2018 - Paper EP-23 Summary Table for Displaying Results of a Logistic Regression Analysis Lori S. Parsons, ICON Clinical Research, Medical Affairs Statistical Analysis ABSTRACT When performing

More information

Find2000: A Search Tool to Find Date-Related Strings in SAS

Find2000: A Search Tool to Find Date-Related Strings in SAS Find2000: A Search Tool to Find Date-Related Strings in SAS Sarah L. Mitchell, Qualex Consulting Services, Inc. Michael Gilman, Qualex Consulting Services, Inc. Figure 1 Abstract Although SAS Version 6

More information

2997 Yarmouth Greenway Drive, Madison, WI Phone: (608) Web:

2997 Yarmouth Greenway Drive, Madison, WI Phone: (608) Web: Getting the Most Out of SAS Enterprise Guide 2997 Yarmouth Greenway Drive, Madison, WI 53711 Phone: (608) 278-9964 Web: www.sys-seminar.com 1 Questions, Comments Technical Difficulties: Call 1-800-263-6317

More information

Data Presentation ABSTRACT

Data Presentation ABSTRACT ODS HTML Meets Real World Requirements Lisa Eckler, Lisa Eckler Consulting Inc., Toronto, ON Robert W. Simmonds, TD Bank Financial Group, Toronto, ON ABSTRACT This paper describes a customized information

More information

Introductory SAS example

Introductory SAS example Introductory SAS example STAT:5201 1 Introduction SAS is a command-driven statistical package; you enter statements in SAS s language, submit them to SAS, and get output. A fairly friendly user interface

More information

A Macro that can Search and Replace String in your SAS Programs

A Macro that can Search and Replace String in your SAS Programs ABSTRACT MWSUG 2016 - Paper BB27 A Macro that can Search and Replace String in your SAS Programs Ting Sa, Cincinnati Children s Hospital Medical Center, Cincinnati, OH In this paper, a SAS macro is introduced

More information

What Is SAS? CHAPTER 1 Essential Concepts of Base SAS Software

What Is SAS? CHAPTER 1 Essential Concepts of Base SAS Software 3 CHAPTER 1 Essential Concepts of Base SAS Software What Is SAS? 3 Overview of Base SAS Software 4 Components of the SAS Language 4 SAS Files 4 SAS Data Sets 5 External Files 5 Database Management System

More information

What to Expect When You Need to Make a Data Delivery... Helpful Tips and Techniques

What to Expect When You Need to Make a Data Delivery... Helpful Tips and Techniques What to Expect When You Need to Make a Data Delivery... Helpful Tips and Techniques Louise Hadden, Abt Associates Inc. QUESTIONS YOU SHOULD ASK REGARDING THE PROJECT Is there any information regarding

More information

Practically Perfect Presentations Cynthia L. Zender, SAS Institute, Inc., Cary, NC

Practically Perfect Presentations Cynthia L. Zender, SAS Institute, Inc., Cary, NC SCSUG2011-S07 Practically Perfect Presentations Cynthia L. Zender, SAS Institute, Inc., Cary, NC ABSTRACT PROC REPORT is a powerful reporting procedure, whose output can be "practically perfect" when you

More information

A Guided Tour Through the SAS Windowing Environment Casey Cantrell, Clarion Consulting, Los Angeles, CA

A Guided Tour Through the SAS Windowing Environment Casey Cantrell, Clarion Consulting, Los Angeles, CA A Guided Tour Through the SAS Windowing Environment Casey Cantrell, Clarion Consulting, Los Angeles, CA ABSTRACT The SAS system running in the Microsoft Windows environment contains a multitude of tools

More information

Introduction. Getting Started with the Macro Facility CHAPTER 1

Introduction. Getting Started with the Macro Facility CHAPTER 1 1 CHAPTER 1 Introduction Getting Started with the Macro Facility 1 Replacing Text Strings Using Macro Variables 2 Generating SAS Code Using Macros 3 Inserting Comments in Macros 4 Macro Definition Containing

More information

Programming Beyond the Basics. Using the DATA Step to Create Bar Charts: The ODS Report Writing Interface Randy Herbison, Westat

Programming Beyond the Basics. Using the DATA Step to Create Bar Charts: The ODS Report Writing Interface Randy Herbison, Westat Using the DATA Step to Create Bar Charts: The ODS Report Writing Interface Randy Herbison, Westat ABSTRACT Introduced in SAS 9.0, the ODS Report Writing Interface is an object-oriented addition to the

More information

THE IMPACT OF DATA VISUALIZATION IN A STUDY OF CHRONIC DISEASE

THE IMPACT OF DATA VISUALIZATION IN A STUDY OF CHRONIC DISEASE THE IMPACT OF DATA VISUALIZATION IN A STUDY OF CHRONIC DISEASE South Central SAS Users Group SAS Educational Forum 2007 Austin, TX Gabe Cano, Altarum Institute Brad Smith, Altarum Institute Paul Cuddihy,

More information

PDF Multi-Level Bookmarks via SAS

PDF Multi-Level Bookmarks via SAS Paper TS04 PDF Multi-Level Bookmarks via SAS Steve Griffiths, GlaxoSmithKline, Stockley Park, UK ABSTRACT Within the GlaxoSmithKline Oncology team we recently experienced an issue within our patient profile

More information

Paper PO06. Building Dynamic Informats and Formats

Paper PO06. Building Dynamic Informats and Formats Paper PO06 Building Dynamic Informats and Formats Michael Zhang, Merck & Co, Inc, West Point, PA ABSTRACT Using the FORMAT procedure to define informats and formats is a common task in SAS programming

More information

BASICS BEFORE STARTING SAS DATAWAREHOSING Concepts What is ETL ETL Concepts What is OLAP SAS. What is SAS History of SAS Modules available SAS

BASICS BEFORE STARTING SAS DATAWAREHOSING Concepts What is ETL ETL Concepts What is OLAP SAS. What is SAS History of SAS Modules available SAS SAS COURSE CONTENT Course Duration - 40hrs BASICS BEFORE STARTING SAS DATAWAREHOSING Concepts What is ETL ETL Concepts What is OLAP SAS What is SAS History of SAS Modules available SAS GETTING STARTED

More information

ET01. LIBNAME libref <engine-name> <physical-file-name> <libname-options>; <SAS Code> LIBNAME libref CLEAR;

ET01. LIBNAME libref <engine-name> <physical-file-name> <libname-options>; <SAS Code> LIBNAME libref CLEAR; ET01 Demystifying the SAS Excel LIBNAME Engine - A Practical Guide Paul A. Choate, California State Developmental Services Carol A. Martell, UNC Highway Safety Research Center ABSTRACT This paper is a

More information

ICD_CLASS SAS Software User s Guide. Version FY Prepared for: U.S. Centers for Disease Control and Prevention

ICD_CLASS SAS Software User s Guide. Version FY Prepared for: U.S. Centers for Disease Control and Prevention ICD_CLASS SAS Software User s Guide Version FY 2015 Prepared for: U.S. Centers for Disease Control and Prevention Prepared by: Center for Healthcare Policy and Research University of California, Davis

More information

SAS CURRICULUM. BASE SAS Introduction

SAS CURRICULUM. BASE SAS Introduction SAS CURRICULUM BASE SAS Introduction Data Warehousing Concepts What is a Data Warehouse? What is a Data Mart? What is the difference between Relational Databases and the Data in Data Warehouse (OLTP versus

More information

Reading in Data Directly from Microsoft Word Questionnaire Forms

Reading in Data Directly from Microsoft Word Questionnaire Forms Paper 1401-2014 Reading in Data Directly from Microsoft Word Questionnaire Forms Sijian Zhang, VA Pittsburgh Healthcare System ABSTRACT If someone comes to you with hundreds of questionnaire forms in Microsoft

More information

Automating Comparison of Multiple Datasets Sandeep Kottam, Remx IT, King of Prussia, PA

Automating Comparison of Multiple Datasets Sandeep Kottam, Remx IT, King of Prussia, PA Automating Comparison of Multiple Datasets Sandeep Kottam, Remx IT, King of Prussia, PA ABSTRACT: Have you ever been asked to compare new datasets to old datasets while transfers of data occur several

More information

Cleaning Duplicate Observations on a Chessboard of Missing Values Mayrita Vitvitska, ClinOps, LLC, San Francisco, CA

Cleaning Duplicate Observations on a Chessboard of Missing Values Mayrita Vitvitska, ClinOps, LLC, San Francisco, CA Cleaning Duplicate Observations on a Chessboard of Missing Values Mayrita Vitvitska, ClinOps, LLC, San Francisco, CA ABSTRACT Removing duplicate observations from a data set is not as easy as it might

More information

Presentation Quality Bulleted Lists Using ODS in SAS 9.2. Karl M. Kilgore, PhD, Cetus Group, LLC, Timonium, MD

Presentation Quality Bulleted Lists Using ODS in SAS 9.2. Karl M. Kilgore, PhD, Cetus Group, LLC, Timonium, MD Presentation Quality Bulleted Lists Using ODS in SAS 9.2 Karl M. Kilgore, PhD, Cetus Group, LLC, Timonium, MD ABSTRACT Business reports frequently include bulleted lists of items: summary conclusions from

More information

My Reporting Requires a Full Staff Help!

My Reporting Requires a Full Staff Help! ABSTRACT Paper GH-03 My Reporting Requires a Full Staff Help! Erin Lynch, Daniel O Connor, Himesh Patel, SAS Institute Inc., Cary, NC With cost cutting and reduced staff, everyone is feeling the pressure

More information

SAS Log Summarizer Finding What s Most Important in the SAS Log

SAS Log Summarizer Finding What s Most Important in the SAS Log Paper CC-037 SAS Log Summarizer Finding What s Most Important in the SAS Log Milorad Stojanovic RTI International Education Surveys Division RTP, North Carolina ABSTRACT Validity of SAS programs is an

More information

Using PROC REPORT to Cross-Tabulate Multiple Response Items Patrick Thornton, SRI International, Menlo Park, CA

Using PROC REPORT to Cross-Tabulate Multiple Response Items Patrick Thornton, SRI International, Menlo Park, CA Using PROC REPORT to Cross-Tabulate Multiple Response Items Patrick Thornton, SRI International, Menlo Park, CA ABSTRACT This paper describes for an intermediate SAS user the use of PROC REPORT to create

More information

Using SAS DDE, SAS Macro and Excel VBA Macros to Create Automated Graphs for Multiple MS Excel Workbooks

Using SAS DDE, SAS Macro and Excel VBA Macros to Create Automated Graphs for Multiple MS Excel Workbooks Using SAS DDE, SAS Macro and Excel VBA Macros to Create Automated Graphs for Multiple MS Excel Workbooks Farah Salahuddin Katie Egglefield New York State Department of Health, Office of Health Insurance

More information

SESUG Paper RIV An Obvious Yet Helpful Guide to Developing Recurring Reports in SAS. Rachel Straney, University of Central Florida

SESUG Paper RIV An Obvious Yet Helpful Guide to Developing Recurring Reports in SAS. Rachel Straney, University of Central Florida SESUG Paper RIV-156-2017 An Obvious Yet Helpful Guide to Developing Recurring Reports in SAS Rachel Straney, University of Central Florida ABSTRACT Analysts, in particular SAS programmers, are often tasked

More information

Christopher Louden University of Texas Health Science Center at San Antonio

Christopher Louden University of Texas Health Science Center at San Antonio Christopher Louden University of Texas Health Science Center at San Antonio Overview of Macro Language Report Writing The REPORT procedure The Output Delivery System (ODS) Macro Examples Utility Macros

More information

Chapter 2: Getting Data Into SAS

Chapter 2: Getting Data Into SAS Chapter 2: Getting Data Into SAS Data stored in many different forms/formats. Four categories of ways to read in data. 1. Entering data directly through keyboard 2. Creating SAS data sets from raw data

More information

View my bill online. User guide

View my bill online. User guide View my bill online User guide View my bill online With View My Bill Online, you can monitor the conferencing charges to your account anytime from anywhere. It s easier than ever to get the charge details

More information

CC13 An Automatic Process to Compare Files. Simon Lin, Merck & Co., Inc., Rahway, NJ Huei-Ling Chen, Merck & Co., Inc., Rahway, NJ

CC13 An Automatic Process to Compare Files. Simon Lin, Merck & Co., Inc., Rahway, NJ Huei-Ling Chen, Merck & Co., Inc., Rahway, NJ CC13 An Automatic Process to Compare Files Simon Lin, Merck & Co., Inc., Rahway, NJ Huei-Ling Chen, Merck & Co., Inc., Rahway, NJ ABSTRACT Comparing different versions of output files is often performed

More information

DSCI 325: Handout 15 Introduction to SAS Macro Programming Spring 2017

DSCI 325: Handout 15 Introduction to SAS Macro Programming Spring 2017 DSCI 325: Handout 15 Introduction to SAS Macro Programming Spring 2017 The Basics of the SAS Macro Facility Macros are used to make SAS code more flexible and efficient. Essentially, the macro facility

More information

ICD_CLASS SAS Software User s Guide. Version FY U.S. Centers for Disease Control and Prevention. Prepared for:

ICD_CLASS SAS Software User s Guide. Version FY U.S. Centers for Disease Control and Prevention. Prepared for: ICD_CLASS SAS Software User s Guide Version FY 2016 Prepared for: U.S. Centers for Disease Control and Prevention Prepared by: Center for Healthcare Policy and Research, University of California, Davis

More information

SAS PROGRAMMING AND APPLICATIONS (STAT 5110/6110): FALL 2015 Module 2

SAS PROGRAMMING AND APPLICATIONS (STAT 5110/6110): FALL 2015 Module 2 SAS PROGRAMMING AND APPLICATIONS (STAT 5110/6110): FALL 2015 Department of MathemaGcs and StaGsGcs Phone: 4-3620 Office: Parker 364- A E- mail: carpedm@auburn.edu Web: hup://www.auburn.edu/~carpedm/stat6110

More information

Paper PO07. %RiTEN. Duong Tran, Independent Consultant, London, Great Britain

Paper PO07. %RiTEN. Duong Tran, Independent Consultant, London, Great Britain Paper PO07 %RiTEN Duong Tran, Independent Consultant, London, Great Britain ABSTRACT For years SAS programmers within the Pharmaceutical industry have been searching for answers to produce tables and listings

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

Making a SYLK file from SAS data. Another way to Excel using SAS

Making a SYLK file from SAS data. Another way to Excel using SAS Making a SYLK file from SAS data or Another way to Excel using SAS Cynthia A. Stetz, Acceletech, Bound Brook, NJ ABSTRACT Transferring data between SAS and other applications engages most of us at least

More information

Making an entry into the CIS Payments workbook

Making an entry into the CIS Payments workbook Making an entry into the CIS Payments workbook By now you should have carried out the CIS Payments workbook Setup. If you have not done so you will need to do this before you can proceed. When you have

More information

Paper CC16. William E Benjamin Jr, Owl Computer Consultancy LLC, Phoenix, AZ

Paper CC16. William E Benjamin Jr, Owl Computer Consultancy LLC, Phoenix, AZ Paper CC16 Smoke and Mirrors!!! Come See How the _INFILE_ Automatic Variable and SHAREBUFFERS Infile Option Can Speed Up Your Flat File Text-Processing Throughput Speed William E Benjamin Jr, Owl Computer

More information

Table 1 in Scientific Manuscripts; Using PROC REPORT and the ODS System Carter Sevick, DoD Center for Deployment Health Research, San Diego, CA

Table 1 in Scientific Manuscripts; Using PROC REPORT and the ODS System Carter Sevick, DoD Center for Deployment Health Research, San Diego, CA Table 1 in Scientific Manuscripts; Using PROC REPORT and the ODS System Carter Sevick, DoD Center for Deployment Health Research, San Diego, CA ABSTRACT The ability to combine the power and flexibility

More information

Easing into Data Exploration, Reporting, and Analytics Using SAS Enterprise Guide

Easing into Data Exploration, Reporting, and Analytics Using SAS Enterprise Guide Paper 809-2017 Easing into Data Exploration, Reporting, and Analytics Using SAS Enterprise Guide ABSTRACT Marje Fecht, Prowerk Consulting Whether you have been programming in SAS for years, are new to

More information

Write SAS Code to Generate Another SAS Program A Dynamic Way to Get Your Data into SAS

Write SAS Code to Generate Another SAS Program A Dynamic Way to Get Your Data into SAS Paper 175-29 Write SAS Code to Generate Another SAS Program A Dynamic Way to Get Your Data into SAS Linda Gau, Pro Unlimited @ Genentech, Inc., South San Francisco, CA ABSTRACT In this paper we introduce

More information

Sandra Hendren Health Data Institute

Sandra Hendren Health Data Institute INTRODUCTION TO THE MACRO LANGUAGE Sandra Hendren Health Data Institute The purpose of this paper is to explain the macro language at a conceptual level. It will not discuss the syntax of the language

More information

Greenspace: A Macro to Improve a SAS Data Set Footprint

Greenspace: A Macro to Improve a SAS Data Set Footprint Paper AD-150 Greenspace: A Macro to Improve a SAS Data Set Footprint Brian Varney, Experis Business Intelligence and Analytics Practice ABSTRACT SAS programs can be very I/O intensive. SAS data sets with

More information

Dental Connect Payers

Dental Connect Payers Dental Connect Payers User Guide 2.1 10/11/2017 Preface Preface Contents of the Change Healthcare documentation and software is copyrighted as a collective work under the laws of United States and other

More information

Importing CSV Data to All Character Variables Arthur L. Carpenter California Occidental Consultants, Anchorage, AK

Importing CSV Data to All Character Variables Arthur L. Carpenter California Occidental Consultants, Anchorage, AK PharmaSUG 2017 QT02 Importing CSV Data to All Character Variables Arthur L. Carpenter California Occidental Consultants, Anchorage, AK ABSTRACT Have you ever needed to import data from a CSV file and found

More information

A Quick and Gentle Introduction to PROC SQL

A Quick and Gentle Introduction to PROC SQL ABSTRACT Paper B2B 9 A Quick and Gentle Introduction to PROC SQL Shane Rosanbalm, Rho, Inc. Sam Gillett, Rho, Inc. If you are afraid of SQL, it is most likely because you haven t been properly introduced.

More information

ABSTRACT INTRODUCTION TRICK 1: CHOOSE THE BEST METHOD TO CREATE MACRO VARIABLES

ABSTRACT INTRODUCTION TRICK 1: CHOOSE THE BEST METHOD TO CREATE MACRO VARIABLES An Efficient Method to Create a Large and Comprehensive Codebook Wen Song, ICF International, Calverton, MD Kamya Khanna, ICF International, Calverton, MD Baibai Chen, ICF International, Calverton, MD

More information

A Few Quick and Efficient Ways to Compare Data

A Few Quick and Efficient Ways to Compare Data A Few Quick and Efficient Ways to Compare Data Abraham Pulavarti, ICON Clinical Research, North Wales, PA ABSTRACT In the fast paced environment of a clinical research organization, a SAS programmer has

More information

Chaining Logic in One Data Step Libing Shi, Ginny Rego Blue Cross Blue Shield of Massachusetts, Boston, MA

Chaining Logic in One Data Step Libing Shi, Ginny Rego Blue Cross Blue Shield of Massachusetts, Boston, MA Chaining Logic in One Data Step Libing Shi, Ginny Rego Blue Cross Blue Shield of Massachusetts, Boston, MA ABSTRACT Event dates stored in multiple rows pose many challenges that have typically been resolved

More information

SAS Macro Language: Reference

SAS Macro Language: Reference SAS Macro Language: Reference INTRODUCTION Getting Started with the Macro Facility This is the macro facility language reference for the SAS System. It is a reference for the SAS macro language processor

More information

Use SAS/AF, SCL and MACRO to Build User-friendly Applications on UNIX

Use SAS/AF, SCL and MACRO to Build User-friendly Applications on UNIX Use SAS/AF, SCL and MACRO to Build User-friendly Applications on UNIX Minghui Yang, Ph.D, Boeing Logistics Market Research O. Introduction In the business application environment, many business analysts

More information

Taking advantage of the SAS System on OS/390

Taking advantage of the SAS System on OS/390 Taking advantage of the SAS System on OS/390 Dave Crow Where I m from ---> Final: DUKE 77 UNC 75 The SAS System for OS/390! Getting started with Web Access! What s new in V8 and 8.1 of SAS! What s coming:

More information

Coders' Corner. Scaling Mount GCHART: Using a MACRO to Dynamically Reset the Scale Nina L. Werner, Dean Health Plan, Inc., Madison, WI.

Coders' Corner. Scaling Mount GCHART: Using a MACRO to Dynamically Reset the Scale Nina L. Werner, Dean Health Plan, Inc., Madison, WI. Paper 111-25 Scaling Mount GCHART: Using a MACRO to Dynamically Reset the Scale Nina L. Werner, Dean Health Plan, Inc., Madison, WI ABSTRACT If you do not set the scale yourself, PROC GCHART will automatically

More information

The Beauty of OUT2HTM with Proc Report David Steves, Suntrust Banks Inc., Atlanta, Georgia U.S.A.

The Beauty of OUT2HTM with Proc Report David Steves, Suntrust Banks Inc., Atlanta, Georgia U.S.A. Paper P316 The Beauty of OUT2HTM with Proc Report David Steves, Suntrust Banks Inc., Atlanta, Georgia U.S.A. ABSTRACT Using Proc Reports to Create HTML pages via % OUT2HTM is very easy. This paper describes

More information

STAT 7000: Experimental Statistics I

STAT 7000: Experimental Statistics I STAT 7000: Experimental Statistics I 2. A Short SAS Tutorial Peng Zeng Department of Mathematics and Statistics Auburn University Fall 2009 Peng Zeng (Auburn University) STAT 7000 Lecture Notes Fall 2009

More information

Part 1. Introduction. Chapter 1 Why Use ODS? 3. Chapter 2 ODS Basics 13

Part 1. Introduction. Chapter 1 Why Use ODS? 3. Chapter 2 ODS Basics 13 Part 1 Introduction Chapter 1 Why Use ODS? 3 Chapter 2 ODS Basics 13 2 Output Delivery System: The Basics and Beyond Chapter 1 Why Use ODS? If all you want are quick results displayed to the screen or

More information