It s Not All Relative: SAS/Graph Annotate Coordinate Systems

Size: px
Start display at page:

Download "It s Not All Relative: SAS/Graph Annotate Coordinate Systems"

Transcription

1 Paper TU05 It s Not All Relative: SAS/Graph Annotate Coordinate Systems Rick Edwards, PPD Inc, Wilmington, NC ABSTRACT This paper discusses the SAS/Graph Annotation coordinate systems and how a combination of the systems can be used in the same annotation data set for the best results. The paper will also cover some basic introductory information on creating annotations. Two examples of how to use annotation datasets will be presented. The first example demonstrates how to add information to a plot which cannot be done with the Proc GPLOT procedure alone. The second illustrates how annotations may be used to enhance the clarity of a grouped bar chart. INTRODUCTION SAS/Graph is one of the primary presentation graphics components of the SAS system. It provides analysis and graphing tools to create plots, charts and maps with only a few SAS statements. Using options provided with the procedures in SAS/Graph, it is possible to produce graphical summaries of data that meet most clients needs with out of the box graphs. There are occasions, however, when the default graphs do not meet the exact specifications for presenting the data, or the nature of the data being presented causes the graph to lose clarity. In these cases, SAS/Graph s Annotate data set can be used to overcome the limitations of SAS/Graph s procedures to create a new type of graph from an existing one or to enhance the normal output of a graph. You can use the Annotate data set to place lines, bars, text or symbols on a graph. These graphic objects can be positioned on the graph using either the data from the graphed data set itself, or with coordinates provided by the programmer. Typically, the annotation involves a combination of the two. The positions of the graphic elements are specified by setting the x and y values for an element within one of SAS/Graph s 12 coordinate systems. Although 12 systems of coordinates may sound complicated, it allows flexibility when choosing where to place the annotation graphic elements. This paper will concentrate on smaller subset of the systems and, through the use of examples, will show that it is quite easy to obtain the desired results and to mix and match the various coordinate systems when assigning the coordinates of the annotate graphic elements. SAS/GRAPH S COORDINATE SYSTEMS The twelve different sets of coordinate systems are created by defining three different areas within a graph and provided 4 different ways to specify a coordinate within each area. The three areas are the Data area, defined as the rectangle bounded by the horizontal and vertical axes, the Graphics Output area, defined by the total area available to the device used to create the graph on the screen or other output medium, and the Procedure Output area, defined by the Graphics Output area minus any space used for title, footnotes and/or legends. Within each of these three areas, coordinates are either Absolute or Relative. Absolute coordinates identify the exact location of the x, y and z coordinates within the area. The values of relative coordinates give the offset in the x, y or z direction from the last Annotate location. Both absolute and relative coordinates can use one of two units in all three areas; either a percentage of each of the three areas, or data values in the Data area and cells in the Graphics and Procedure Output areas.

2 These 12 coordinate systems are listed in the table below: Area Unit Value Absolute Relative Data Percentages 1 7 Data Data values 2 8 Graphics Percentages 3 9 Graphics Cells 4 A Procedure Percentages 5 B Procedure Cells 6 C For this presentation, we will not use the Procedure area when specifying where the Annotate elements are located. Additionally, we will only use the units that do not change from one graphics output device to another. These are the data values in the data area and the percentages of each area. The sizes and number of cells in the Graphics and Procedure areas can vary depending on options specified and the output device s resolution. Therefore, we will use six of the coordinate systems in the examples: Data Area Values (Absolute and Relative), Data Area Percentages (Absolute and Relative) and Graphics Area Percentages (Absolute and Relative). The Annotate variables XSYS, YSYS, ZSYS and HSYS are used to identify which coordinate system is being used for the values of x, y, z and height respectively. As a further simplification, only x and y variables will be used In the annotations. The values assigned to the XSYS and YSYS variables to specify the coordinate system to associate with the coordinate values are listed in the table below. Area Unit XSYS/YSYS Values Absolute Relative Data Percentages 1 7 Data Data values 2 8 Graphics Percentages 3 9 EXAMPLE ONE: CREATING A WHISKER PLOT The first example of using annotation is very simple with respect to the graphics elements required (only three lines) and the number of coordinate systems used, but it illustrates the use of different coordinate systems in the same annotate data set. It is also a good example of how annotation can be used to produce a plot that otherwise would not be possible. A plot was desired that would show the average value and the standard error associated with the mean for the Physician s Global Assessment (PGA) for all subjects in two different treatment groups. Whiskers were specified to indicate the plus and minus values of the standard error. Classic box and whisker plots were not useful for this graph since the standard error, not 1.5 * the quartile value, was the measure for the whiskers. Instead, a simple plot of the PGA means over time with annotated whiskers was required. Basic plot After using Proc Means to calculate the PGA means and their standard error, the means data set is graphed using Proc Gplot. The resulting graph is shown below with the Proc GPLOT code. proc gplot data = pgameans; plot mean * visitday=trt / vaxis=axis1 haxis=axis2 legend=legend1 ; run;

3 Annotated whiskers Only three lines are required to create the whiskers for each mean point; the vertical line representing the plus and minus standard error difference from the mean and the top and bottom horizontal lines at the standard error points. Also, since all of the annotated lines lie within the graph area, the data set will only need to use the Graph Area Absolute and Relative coordinate systems. The annotate data set that will contain the graphic commands required to draw the lines is produced using the same data set used with Proc GPLOT. As each record in the graph data set is read, the x and y coordinates for drawing the lines will be derived from the Visit Day variable (x value) and the mean and standard error for the PGA Rating (y values). Annotated lines are drawn by moving to its starting point using the MOVE function and then drawing the line to its end point with the DRAW function. The code for the annotate data set follows: data ganno ; length function $8; set pgameans; /* DATA area used for all coordinate systems */ xsys='2'; ysys='2'; /* x & y data values */ function = 'move'; x = visitday; y = mean - std; output; xsys='7'; ysys='7'; /* x & y relative percents */ function = 'move'; x = -.5; y = 0; output; function = 'draw'; x = 1; y = 0; output; function = 'move'; x = -.5; y = 0; output; xsys='7'; ysys='2'; /* x - relative percent; y - absolute data value */ function = 'draw'; x = 0; y = mean + std; output; xsys='7'; ysys='7'; /* x & y relative percents */ function = 'move'; x = -.5; y = 0; output; function = 'draw'; x = 1; y = 0; output; run ; Note that the initial starting location, the bottom of the whisker) is identified using the x and y values of the data set that proc gplot will use for the graph points (minus the standard error for the y coordinate). The bottom horizontal portion of the whisker is then drawn using relative offsets for the x coordinates to move left ½ percent of the length of the horizontal axis, then drawing a line one percent of the axis in length, followed by a move back to the original starting location. The y coordinate offset is kept at zero to keep the line perfectly horizontal. This value would not have to be respecified for the draw and second move function, but is included on each function s line for clarity. The vertical line of the whisker is then drawn by setting the x relative offset to zero. The Y coordinate system is switched back to use absolute data values to position the end of the line one standard deviation above the mean point. Then the top of the whisker is drawn in the same manner as the bottom.

4 As with all programming, there is more than one way to arrive at the same result. An alternative method for creating the whiskers of the plot could use only one coordinate system. The example below uses data values exclusively to position the starting points and to draw the three lines. It also does not repeat the x or y values that will not change from one annotate function to the next. data ganno ; length function $8; set pgameans; xsys='2'; ysys='2'; /* x & y graph area data values */ function = 'move'; x = visitday -.75; y = mean - std; output; function = 'draw'; x = visitday + 1.5; output; function = 'move'; x = visitday -.75; output; function = 'draw'; y = mean + std; output; function = 'move'; x = visitday -.75; output; function = 'draw'; x = visitday + 1.5; output; run ; Deciding which of the two is the better method is largely a matter of personal preference and what seems clearer to the programmer. The two annotate data sets will create almost exactly the same output since the length of 1.5 in data value of the horizontal portions of the whiskers will be approximately one percent of the data area with the current range of the graph, which is approximately 125. One drawback of the second method becomes apparent if the data range changes or if the code is used with another x variable. Imagine the length of the whiskers if the data had a range of only 10 or 1.5. When percentages are used to draw elements of the annotation that are not related to the data, such as the horizontal portions of the whiskers in this case, they will always remain the same size regardless of the values that comprise the data area. To include the annotation elements in the graph, specify the annotate option on the plot statement and give the name of the annotate data set. proc gplot data = pgameans; plot mean * visitday=trt / vaxis=axis1 haxis=axis2 legend=legend1 annotate=ganno; run; The code above will produce the plot below.

5 The following annotate data set is a hybrid of the two previous methods for adding the whiskers to the plot. In this case, the y coordinate system remains the Data Absolute Values system throughout the data step with only the X coordinate system changing to Data Relative Percents after the initial position using the Data Area Absolute Values. Also, the x and y values are not explicitly defined for each record if the value doesn t need to change. I have introduced an error in this code, however, to illustrate that care must be taken if the x and y values are not explicitly set for each record. See if you can find the mistake. The answer will be given at the end of the paper. data ganno ; length function $8; set pgameans; xsys='2'; ysys='2'; /* x & y absolute data values */ function = 'move'; x = visitday; y = mean - std; output; xsys='7'; /* x data area relative percentage */ function = 'draw'; x = 1; output; /* y remains absolute data value */ function = 'draw'; y = mean + std; output; /* x remains relative */ function = 'draw'; x = 1; output; run ; EXAMPLE TWO: ENHANCING A SAS/GRAPH BAR CHART This example illustrates using coordinate systems to be place annotation outside of the graphics area. It shows how deficiencies in the default labeling of graphs can be overcome with annotation. Basic chart A study with 5 different treatments required a bar chart of all adverse events which had occurred two or more times across all of the treatments. The client wanted the information presented grouped by adverse event and subgrouped by treatment with each adverse event. The adverse events were presented in order the total number of occurrences for each event fro the largest number to the smallest. The following code is used to produce to basic bar chart. legend1 label=(h=1.2 "Cohort:" position=(top center)) position=(middle right outside) down=5; * cframe=ligr; axis1 label=(a=90 f=duplex r=0 h=1.1 "Number of Participants") major = (height=.5) width=10 color=black MINOR=NONE; * origin=(20 pct, 20 pct) ; axis2 label=none major=none width=10 color=black offset=(1,1) minor=none origin=(10 pct, 30 pct) value = none; axis3 label=none major=none width=10 color=black split=' ' order=( 'Lymphadenopathy' 'Urinary tract infection NOS' 'Headache NOS' 'Multiple sclerosis aggravated' 'Upper respiratory tract infection NOS' Vision blurred' 'Weakness') offset=(1,1) minor=none origin=(10 pct, 30 pct) value=none; proc gchart data=graphdata; vbar trt / width=1 group=preft subgroup=trt gspace=.75 raxis=axis1 gaxis=axis3 maxis=axis2 legend=legend1; pattern1 v=s c=blue; pattern2 v=s c=maroon; pattern3 v=s c=orange; pattern4 v=s c=green; pattern5 v=s c=red; run; The code above will produce the plot below.

6 There are several problems with the labels in the basic graph. First, one label is too long (default 32 character limit) and is truncated. Second, the first label cannot be split since it is one long word, and it runs into the second group s bars. Third, in order to have the groups arranged in descending order of number of occurrences instead of the default alphabetical order, the order must be explicitly specified in the axis statement. Alternatively, a variable specifying the order of the adverse events could be created and then formatted with the event s name to create the labels. In either case, the axis or format statement would have to be changed if the data changes and the relative order of the adverse events changed or if a new adverse event with 2 or more occurrences needed to be added to the graph. Annotated group labels data chart_annotation; length function color $ 8 position $ 1 text $ 25; retain hsys '3' when 'a' color 'black'; set preftct2; /* create angled labels */ /* use the annotate values, group & midpoint, for the x coord for the label */ xsys='2'; ysys='3'; /* x - data value ; y - absolute % graphics area */ function='label'; angle=-30; group=preft; midpoint=3; y=27; size=2; /* The code to set the actual text of the label is found at the end of this example s section, but is not shown here to save space and highlight the coordinate system code */ run; As in the first example, add the annotate elements to the graph by specifying the annotate option on the vbar statement. axis3 label=none major=none width=10 color=black offset=(1,1) minor=none origin=(10 pct, 30 pct) value=none; proc gchart data=graphdata; vbar trt / width=1 group=preft subgroup=trt gspace=.75 raxis=axis1 gaxis=axis3 maxis=axis2 legend=legend1 anno=chart_annotation; pattern1 v=s c=blue; pattern2 v=s c=maroon; pattern3 v=s c=orange; pattern4 v=s c=green; pattern5 v=s c=red; run; The code above will produce the plot below.

7 The x coordinate of the label s location is found using the data value for the adverse event s (identified by the variable, preft) group of bars. The MIDPOINT variable is an annotate variable which gives the coordinates of the horizontal middle (x) and the vertical top (y) of a bar. Since we have grouped bars, we have to identify which group of bars we want the midpoint of by using the GROUP annotate variable. To find the horizontal middle of the group, we use the middle bar of the group (the 3 rd bar). The MIDPOINT and the GROUP values for each bar are set by Proc GCHART. For the y coordinate, we use the absolute percent location that will be a little lower than the horizontal axis of the data area. The origin of the horizontal axis was specified to lie at 30 percent of the graphics output area (see axis3 statement in the original plot code). The label s text (see the end of this example) is derived from the data, so the labels change as the data changes making the program much more robust. This is repeated for each adverse event s group in the plot data set. Annotated group labels and tick marks Since the angled labels extend beyond the borders of their groups, tick marks can be added to help connect the labels to their groups. The code below can go either before or after the label annotate code. xsys='2'; ysys='3'; /* x - data; y - area * function = 'move'; group = preft; midpoint=3; y = 30; output; xsys='9'; ysys='9'; /* x & y - relative * function = 'draw'; x = 0; y = -1; output; The additional code above will produce the plot below.

8 The x coordinate for the start of the line is found in the same manner that we used to position the label. We set the y coordinate to the same position as the vertical location of the horizontal axis. Then, using relative percentages of the graphics area, we draw a vertical line down a length of one percent of the graphics area. Annotated group levels and brackets Due to the sparseness of the data in some of the adverse events, it is still difficult to distinguish the groups when the graph is viewed initially. At first glance, it may appear that the first and second groups are one group. The third and fourth groups also seem to merge into one group. A final enhancement to the graph is to create brackets instead of tick marks to connect the labels to their groups of bars. The code below shows how brackets can be created. xsys='2'; ysys='3'; /* x - data value ; y - absolute % graphics area */ function = 'move'; group = preft; midpoint=1; y = 30; output; xsys='9'; ysys='9'; /* x & y - relative % graphics area */ function = 'move'; x = -1; y = 0; output; function = 'draw'; x = 0; y = -1; output; xsys='2'; ysys='9'; /* x - data value; y - relative % graphics area */ function = 'draw'; group = preft; midpoint=5; y = 0; output; xsys='9'; ysys='9'; /* x & y - relative % graphics area */ function = 'draw'; x = 1; y = 0; output; function = 'draw'; x = 0; y = 1; output; xsys='2'; ysys='9'; /* x - data value; y - relative % graphics area */ function = 'move'; group = preft; midpoint=3; y = -1; output; xsys='9'; ysys='9'; /* x & y - relative % graphics area */ function = 'draw'; x = 0; y = -1; output; The additional code above will produce the plot below.

9 The bracket is started by finding the midpoint of the leftmost bar of the group (bar #1) and then using a slight additional horizontal offset to start the bracket just outside the each group of bars. After the left side of the bracket is drawn, the data values are used to draw the bottom of the bracket to the middle of the rightmost bar and then an additional line is drawn to just outside of the group. The bracket s right side is then drawn to the axis. The bracket is finished by moving to the middle of the group using data values for the x coordinate and the same relative y distance as the length of the bracket s sides. From this point, a tick mark is drawn from the bracket towards the group s label. Code to set the text of the label and output the label function */ /* if the label is no longer than 25 characters, it will fit on one line */ if length(trim(left(preft))) <= 25 then do; text=preft; position='6'; output; end; /* otherwise, break the label at the space closest to 25 characters */ else do; break = 0; spaces = 0; searchtext = trim(left(preft)); space = index(searchtext,' ') - 1; do while (break+space < 25 and space ne 0); spaces = spaces + 1; break = break + space + spaces; searchtext = substr(searchtext,break+1); space = index(searchtext,' ') - 1; end; text=substr(preft,1,break-1); position='c'; output; text=substr(preft,break-1); position='f'; output; end;

10 ERROR IN THE THIRD VERSION OF THE WHISKER PLOT EXAMPLE data ganno ; length function $8; set pgameans; xsys='2'; ysys='2'; /* x & y graph area data values */ function = 'move'; x = visitday; y = mean - std; output; xsys='9'; /* x graph area relative percentage */ function = 'draw'; x = 1; output; /* y (still) absolute data value */ function = 'draw'; y = mean + std; output; /* ERROR */ /* x (still) relative */ function = 'draw'; x = 1; output; run ; The value for x is still -.5 for this record. Since the coordinate system for x is Relative Percent, the line wouldnot be drawn perfectly vertical, but would be drawn at a slight slant to the left. The top bar of the whisker would still be centered on the vertical line, but would be offset by the additional -.5 percent as well. The line in error should be: function = 'draw'; x = 0; y = mean + std; output; CONCLUSION The Annotate Coordinate Systems are essential to establish the reference point for the coordinates values. Multiple systems may be used within the same annotate data set and even within one function. The most portable systems are the Data Area values and any of the percentage systems. When tying the annotation to the graphical data, the Data Area Value systems are the obvious choice. The Percentage coordinate systems are best suited for elements that are related to other non-data elements of a graph, such as starting an annotate element along an axis whose origin is specified by a percentage in its axis statement. The choice of using an Absolute coordinate system versus a Relative system is often a matter of the user s preference and comfort with either of those two options. Generally, a series of annotate functions will start with an absolute location and then subsequent functions in the series may use either relative or absolute to produce the same results. By concentrating on the six systems used in this presentation, a little practice with annotation is all that is required to become at ease with knowing which coordinate system to use to achive the desired results. CONTACT INFORMATION Your comments and questions are valued and encouraged. Contact the author at: Rick Edwards Programmer Analyst PPD Biostatistics 929 North Front Street Wilmington, NC Tel: Fax: richard.edwards@wilm.ppdi.com SAS and all other SAS Institute Inc. product or service names are registered trademarks or trademarks of SAS Institute Inc. in the USA and other countries. indicates USA registration. Other brand and product names are trademarks of their respective companies.

INTRODUCTION TO THE SAS ANNOTATE FACILITY

INTRODUCTION TO THE SAS ANNOTATE FACILITY Improving Your Graphics Using SAS/GRAPH Annotate Facility David J. Pasta, Ovation Research Group, San Francisco, CA David Mink, Ovation Research Group, San Francisco, CA ABSTRACT Have you ever created

More information

Creating Forest Plots Using SAS/GRAPH and the Annotate Facility

Creating Forest Plots Using SAS/GRAPH and the Annotate Facility PharmaSUG2011 Paper TT12 Creating Forest Plots Using SAS/GRAPH and the Annotate Facility Amanda Tweed, Millennium: The Takeda Oncology Company, Cambridge, MA ABSTRACT Forest plots have become common in

More information

How to annotate graphics

How to annotate graphics Paper TU05 How to annotate graphics Sandrine STEPIEN, Quintiles, Strasbourg, France ABSTRACT Graphs can be annotated using different functions that add graphics elements to the output. Amongst other things,

More information

Coders' Corner. Paper ABSTRACT GLOBAL STATEMENTS INTRODUCTION

Coders' Corner. Paper ABSTRACT GLOBAL STATEMENTS INTRODUCTION Paper 70-26 Data Visualization of Outliers from a Health Research Perspective Using SAS/GRAPH and the Annotate Facility Nadia Redmond Kaiser Permanente Center for Health Research, Portland, Oregon ABSTRACT

More information

Tips for Producing Customized Graphs with SAS/GRAPH Software. Perry Watts, Fox Chase Cancer Center, Philadelphia, PA

Tips for Producing Customized Graphs with SAS/GRAPH Software. Perry Watts, Fox Chase Cancer Center, Philadelphia, PA Tips for Producing Customized Graphs with SAS/GRAPH Software Perry Watts, Fox Chase Cancer Center, Philadelphia, PA Abstract * SAS software is used to produce customized graphics displays by solving a

More information

Tips to Customize SAS/GRAPH... for Reluctant Beginners et al. Claudine Lougee, Dualenic, LLC, Glen Allen, VA

Tips to Customize SAS/GRAPH... for Reluctant Beginners et al. Claudine Lougee, Dualenic, LLC, Glen Allen, VA Paper SIB-109 Tips to Customize SAS/GRAPH... for Reluctant Beginners et al. Claudine Lougee, Dualenic, LLC, Glen Allen, VA ABSTRACT SAS graphs do not have to be difficult or created by SAS/GRAPH experts.

More information

Graphical Techniques for Displaying Multivariate Data

Graphical Techniques for Displaying Multivariate Data Graphical Techniques for Displaying Multivariate Data James R. Schwenke Covance Periapproval Services, Inc. Brian J. Fergen Pfizer Inc * Abstract When measuring several response variables, multivariate

More information

Multiple Forest Plots and the SAS System

Multiple Forest Plots and the SAS System Multiple Forest Plots and the SAS System Poster 10 Anne Barfield, Quanticate, Manchester, United Kingdom ABSTRACT This paper is the accompanying paper to the poster entitled Multiple Forest Plots and the

More information

PharmaSUG Paper TT10 Creating a Customized Graph for Adverse Event Incidence and Duration Sanjiv Ramalingam, Octagon Research Solutions Inc.

PharmaSUG Paper TT10 Creating a Customized Graph for Adverse Event Incidence and Duration Sanjiv Ramalingam, Octagon Research Solutions Inc. Abstract PharmaSUG 2011 - Paper TT10 Creating a Customized Graph for Adverse Event Incidence and Duration Sanjiv Ramalingam, Octagon Research Solutions Inc. Adverse event (AE) analysis is a critical part

More information

Splitting Axis Text. Splitting Text in Axis Tick Mark Values

Splitting Axis Text. Splitting Text in Axis Tick Mark Values CHAPTER 3 Splitting Axis Text Purpose: This chapter describes techniques you can use to split long text into two (or more) lines in your axes. Two techniques are described one to split text in axis tick

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

Annotate Dictionary CHAPTER 11

Annotate Dictionary CHAPTER 11 427 CHAPTER 11 Annotate Dictionary Overview 428 Annotate Functions 429 BAR Function 431 CNTL2TXT Function 432 COMMENT Function 434 DEBUG Function 435 DRAW Function 435 DRAW2TXT Function 436 FRAME Function

More information

USING SAS PROC GREPLAY WITH ANNOTATE DATA SETS FOR EFFECTIVE MULTI-PANEL GRAPHICS Walter T. Morgan, R. J. Reynolds Tobacco Company ABSTRACT

USING SAS PROC GREPLAY WITH ANNOTATE DATA SETS FOR EFFECTIVE MULTI-PANEL GRAPHICS Walter T. Morgan, R. J. Reynolds Tobacco Company ABSTRACT USING SAS PROC GREPLAY WITH ANNOTATE DATA SETS FOR EFFECTIVE MULTI-PANEL GRAPHICS Walter T. Morgan, R. J. Reynolds Tobacco Company ABSTRACT This presentation introduces SAS users to PROC GREPLAY and the

More information

Developing a Dashboard to Aid in Effective Project Management

Developing a Dashboard to Aid in Effective Project Management Developing a Dashboard to Aid in Effective Project Management M. Paige Borden, University of Central Florida, Orlando, FL Maureen Murray, University of Central Florida, Orlando, FL Ali Yorkos, University

More information

ABC Macro and Performance Chart with Benchmarks Annotation

ABC Macro and Performance Chart with Benchmarks Annotation Paper CC09 ABC Macro and Performance Chart with Benchmarks Annotation Jing Li, AQAF, Birmingham, AL ABSTRACT The achievable benchmark of care (ABC TM ) approach identifies the performance of the top 10%

More information

Taming the Box Plot. Sanjiv Ramalingam, Octagon Research Solutions, Inc., Wayne, PA

Taming the Box Plot. Sanjiv Ramalingam, Octagon Research Solutions, Inc., Wayne, PA Taming the Box Plot Sanjiv Ramalingam, Octagon Research Solutions, Inc., Wayne, PA ABSTRACT Box plots are used to portray the range, quartiles and outliers if any in the data. PROC BOXPLOT can be used

More information

Controlling Titles. Purpose: This chapter demonstrates how to control various characteristics of the titles in your graphs.

Controlling Titles. Purpose: This chapter demonstrates how to control various characteristics of the titles in your graphs. CHAPTER 5 Controlling Titles Purpose: This chapter demonstrates how to control various characteristics of the titles in your graphs. The Basics For the first examples in this chapter, we ll once again

More information

The GANNO Procedure. Overview CHAPTER 12

The GANNO Procedure. Overview CHAPTER 12 503 CHAPTER 12 The GANNO Procedure Overview 503 Procedure Syntax 504 PROC GANNO Statement 504 Examples 507 Example 1: Scaling Data-Dependent Output 507 Example 2: Storing Annotate Graphics 509 Example

More information

ABC s of Graphs in Version 8 Caroline Bahler, Meridian Software, Inc.

ABC s of Graphs in Version 8 Caroline Bahler, Meridian Software, Inc. ABC s of Graphs in Version 8 Caroline Bahler, Meridian Software, Inc. Abstract Version 8 has greatly increased the versatility and usability of graphs that can be created by SAS. This paper will discuss

More information

Custom Map Displays Created with SAS/GRAPH Procedures and the Annotate Facility Debra Miller, National Park Service, Denver, CO

Custom Map Displays Created with SAS/GRAPH Procedures and the Annotate Facility Debra Miller, National Park Service, Denver, CO Paper 134-28 Custom Map Displays Created with SAS/GRAPH Procedures and the Annotate Facility Debra Miller, National Park Service, Denver, CO ABSTRACT The Annotate facility is a flexible system that you

More information

Move =(+0,+5): Making SAS/GRAPH Work For You

Move =(+0,+5): Making SAS/GRAPH Work For You Move =(+0,+5): Making SAS/GRAPH Work For You Deb Cassidy, Computer Horizons Corporation, ndianapolis, N 've often been asked "Can SAS/GRAPH do...?" SAS/GRAPH can do almost anything - if you are willing

More information

Innovative Graph for Comparing Central Tendencies and Spread at a Glance

Innovative Graph for Comparing Central Tendencies and Spread at a Glance Paper 140-28 Innovative Graph for Comparing Central Tendencies and Spread at a Glance Varsha C. Shah, CSCC, Dept. of Biostatistics, UNC-CH, Chapel Hill, NC Ravi M. Mathew, CSCC,Dept. of Biostatistics,

More information

FILLPATTERNS in SGPLOT Graphs Pankhil Shah, PPD, Morrisville, NC

FILLPATTERNS in SGPLOT Graphs Pankhil Shah, PPD, Morrisville, NC PharmaSUG 2015 - Paper QT30 FILLPATTERNS in SGPLOT Graphs Pankhil Shah, PPD, Morrisville, NC ABSTRACT With more updates to PROC SGPLOT in SAS 9.3, there has been a substantial change in graph programming.

More information

Data Annotations in Clinical Trial Graphs Sudhir Singh, i3 Statprobe, Cary, NC

Data Annotations in Clinical Trial Graphs Sudhir Singh, i3 Statprobe, Cary, NC PharmaSUG2010 - Paper TT16 Data Annotations in Clinical Trial Graphs Sudhir Singh, i3 Statprobe, Cary, NC ABSTRACT Graphical representation of clinical data is used for concise visual presentations of

More information

PharmaSUG 2012 Paper CC13

PharmaSUG 2012 Paper CC13 PharmaSUG 2012 Paper CC13 Techniques for Improvising the Standard Error Bar Graph and Axis Values Completely Through SAS Annotation Sunil Kumar Ganeshna, PharmaNet/i3, Pune, India Venkateswara Rao, PharmaNet/i3,

More information

Data Driven Annotations: An Introduction to SAS/GRAPH s Annotate Facility

Data Driven Annotations: An Introduction to SAS/GRAPH s Annotate Facility Paper HW03 Data Driven Annotations: An Introduction to SAS/GRAPH s Annotate Facility Arthur L. Carpenter California Occidental Consultants ABSTRACT When SAS/GRAPH was first introduced, it was the only

More information

A Generalized Procedure to Create SAS /Graph Error Bar Plots

A Generalized Procedure to Create SAS /Graph Error Bar Plots Generalized Procedure to Create SS /Graph Error Bar Plots Sanjiv Ramalingam, Consultant, Octagon Research Solutions, Inc. BSTRCT Different methodologies exist to create error bar related plots. Procedures

More information

... WHERE. AnnotaI8 Data.S... XSYS & YSYS. Harie Annotate: How Not to Lose Your Head When Enhancing BAS/GRAPH output

... WHERE. AnnotaI8 Data.S... XSYS & YSYS. Harie Annotate: How Not to Lose Your Head When Enhancing BAS/GRAPH output Harie Annotate: How Not to Lose Your Head When Enhancing BAS/GRAPH output Arthur La Carpenter California occidental consultants KEY WORDS ANNOTATE, GRAPHICS, FRANCE, GSLIDE, GANNO, FUNCTION INTRODUCTION

More information

Something for Nothing! Converting Plots from SAS/GRAPH to ODS Graphics

Something for Nothing! Converting Plots from SAS/GRAPH to ODS Graphics ABSTRACT Paper 1610-2014 Something for Nothing! Converting Plots from SAS/GRAPH to ODS Graphics Philip R Holland, Holland Numerics Limited, UK All the documentation about the creation of graphs with SAS

More information

Converting Annotate to ODS Graphics. Is It Possible?

Converting Annotate to ODS Graphics. Is It Possible? ABSTRACT Paper 2686-2015 Converting Annotate to ODS Graphics. Is It Possible? Philip R Holland, Holland Numerics Limited In the previous chapter I described how many standard SAS/GRAPH plots can be converted

More information

Want Quick Results? An Introduction to SAS/GRAPH Software. Arthur L. Carpenter California Occidental Consultants

Want Quick Results? An Introduction to SAS/GRAPH Software. Arthur L. Carpenter California Occidental Consultants Want Quick Results? An Introduction to SAS/GRAPH Software Arthur L. arpenter alifornia Occidental onsultants KEY WORDS GOPTIONS, GPLOT, GHART, SYMBOL, AXIS, TITLE, FOOTNOTE ABSTRAT SAS/GRAPH software contains

More information

Create Flowcharts Using Annotate Facility. Priya Saradha & Gurubaran Veeravel

Create Flowcharts Using Annotate Facility. Priya Saradha & Gurubaran Veeravel Create Flowcharts Using Annotate Facility Priya Saradha & Gurubaran Veeravel Abstract With mounting significance to the graphical presentation of data in different forms in the pharmaceutical industry,

More information

SAS Graph: Introduction to the World of Boxplots Brian Spruell, Constella Group LLC, Durham, NC

SAS Graph: Introduction to the World of Boxplots Brian Spruell, Constella Group LLC, Durham, NC DP06 SAS Graph: Introduction to the orld of Boxplots Brian Spruell, Constella Group C, Durham, NC ABSTRACT Boxplots provide a graphical representation of a data s distribution. Every elementary statistical

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

SAS Graphs in Small Multiples Andrea Wainwright-Zimmerman, Capital One, Richmond, VA

SAS Graphs in Small Multiples Andrea Wainwright-Zimmerman, Capital One, Richmond, VA Paper SIB-113 SAS Graphs in Small Multiples Andrea Wainwright-Zimmerman, Capital One, Richmond, VA ABSTRACT Edward Tufte has championed the idea of using "small multiples" as an effective way to present

More information

The Plot Thickens from PLOT to GPLOT

The Plot Thickens from PLOT to GPLOT Paper HOW-069 The Plot Thickens from PLOT to GPLOT Wendi L. Wright, CTB/McGraw-Hill, Harrisburg, PA ABSTRACT This paper starts with a look at basic plotting using PROC PLOT. A dataset with the daily number

More information

B. Graphing Representation of Data

B. Graphing Representation of Data B Graphing Representation of Data The second way of displaying data is by use of graphs Although such visual aids are even easier to read than tables, they often do not give the same detail It is essential

More information

SparkLines Using SAS and JMP

SparkLines Using SAS and JMP SparkLines Using SAS and JMP Kate Davis, International Center for Finance at Yale, New Haven, CT ABSTRACT Sparklines are intense word-sized graphics for use inline text or on a dashboard that condense

More information

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

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

More information

Pete Lund Looking Glass Analytics, Olympia, WA

Pete Lund Looking Glass Analytics, Olympia, WA Paper 3496-2015 Something Old, Something New... Flexible Reporting with DATA Step-based Tools Pete Lund Looking Glass Analytics, Olympia, WA Abstract The report looks simple enough a bar chart and a table,

More information

Data Explore Matrix Quality Control by Exploring and Mining Data in Clinical Study

Data Explore Matrix Quality Control by Exploring and Mining Data in Clinical Study PharmaSUG China 2017 - Paper 34 Data Explore Matrix Quality Control by Exploring and Mining Data in Clinical Study Yongxu Tang, Merck, Beijing, China Yu Meng, Merck, Beijing, China Yongjian Zhou, Merck,

More information

Arthur L. Carpenter California Occidental Consultants

Arthur L. Carpenter California Occidental Consultants Paper HOW-004 SAS/GRAPH Elements You Should Know Even If You Don t Use SAS/GRAPH Arthur L. Carpenter California Occidental Consultants ABSTRACT We no longer live or work in a line printer - green bar paper

More information

Chapter 13 Introduction to Graphics Using SAS/GRAPH (Self-Study)

Chapter 13 Introduction to Graphics Using SAS/GRAPH (Self-Study) Chapter 13 Introduction to Graphics Using SAS/GRAPH (Self-Study) 13.1 Introduction... 2 13.2 Creating Bar and Pie Charts... 8 13.3 Creating Plots... 20 13-2 Chapter 13 Introduction to Graphics Using SAS/GRAPH

More information

Error-Bar Charts from Summary Data

Error-Bar Charts from Summary Data Chapter 156 Error-Bar Charts from Summary Data Introduction Error-Bar Charts graphically display tables of means (or medians) and variability. Following are examples of the types of charts produced by

More information

Clip Extreme Values for a More Readable Box Plot Mary Rose Sibayan, PPD, Manila, Philippines Thea Arianna Valerio, PPD, Manila, Philippines

Clip Extreme Values for a More Readable Box Plot Mary Rose Sibayan, PPD, Manila, Philippines Thea Arianna Valerio, PPD, Manila, Philippines ABSTRACT PharmaSUG China 2016 - Paper 72 Clip Extreme Values for a More Readable Box Plot Mary Rose Sibayan, PPD, Manila, Philippines Thea Arianna Valerio, PPD, Manila, Philippines The BOXPLOT procedure

More information

Using SAS Graphics Capabilities to Display Air Quality Data Debbie Miller, National Park Service, Denver, CO

Using SAS Graphics Capabilities to Display Air Quality Data Debbie Miller, National Park Service, Denver, CO Paper 136-27 Using SAS Graphics Capabilities to Display Air Quality Data Debbie Miller, National Park Service, Denver, CO ABSTRACT SAS software is used to create detailed charts showing air quality data.

More information

SUGI 29 Posters. Paper A Group Scatter Plot with Clustering Xiaoli Hu, Wyeth Consumer Healthcare., Madison, NJ

SUGI 29 Posters. Paper A Group Scatter Plot with Clustering Xiaoli Hu, Wyeth Consumer Healthcare., Madison, NJ Paper 146-29 A Group Scatter Plot with Clustering Xiaoli Hu, Wyeth Consumer Healthcare., Madison, NJ ABSTRACT In pharmacokinetic studies, abnormally high values of maximum plasma concentration Cmax of

More information

Figure 1. Paper Ring Charts. David Corliss, Marketing Associates, Bloomfield Hills, MI

Figure 1. Paper Ring Charts. David Corliss, Marketing Associates, Bloomfield Hills, MI Paper 16828 Ring Charts David Corliss, Marketing Associates, Bloomfield Hills, MI Abstract Ring Charts are presented as a new, graphical technique for analyzing complex relationships between tables in

More information

Using SAS/GRAPH Software to Analyze Student Study Habits. Bill Wallace Computing Services University of Saskatchewan

Using SAS/GRAPH Software to Analyze Student Study Habits. Bill Wallace Computing Services University of Saskatchewan Using SAS/GRAPH Software to Analyze Student Study Habits Bill Wallace Computing Services University of Saskatchewan Abstract This paper describes the steps taken to create unusual vertical bar charts for

More information

SAS/GRAPH : Using the Annotate Facility

SAS/GRAPH : Using the Annotate Facility SAS/GRAPH : Using the Annotate Facility Jack S. Nyberg, ClinTrials Research, Inc., Lexington, KY. Stuart D. Nichols, ClinTrials Research, Inc., Lexington, KY. ABSTRACT The annotate facility in SAS/GRAPH

More information

Bar Charts and Frequency Distributions

Bar Charts and Frequency Distributions Bar Charts and Frequency Distributions Use to display the distribution of categorical (nominal or ordinal) variables. For the continuous (numeric) variables, see the page Histograms, Descriptive Stats

More information

Using Annotate Datasets to Enhance Charts of Data with Confidence Intervals: Data-Driven Graphical Presentation

Using Annotate Datasets to Enhance Charts of Data with Confidence Intervals: Data-Driven Graphical Presentation Using Annotate Datasets to Enhance Charts of Data with Confidence Intervals: Data-Driven Graphical Presentation Gwen D. Babcock, New York State Department of Health, Troy, NY ABSTRACT Data and accompanying

More information

Usinq the VBAR and BBAR statements and the TEMPLATE Facility to Create side-by-side, Horizontal Bar Charts with Shared Vertical Axes Labels

Usinq the VBAR and BBAR statements and the TEMPLATE Facility to Create side-by-side, Horizontal Bar Charts with Shared Vertical Axes Labels Usinq the VBAR and BBAR statements and the TEMPLATE Facility to Create side-by-side, Horizontal Bar Charts with Shared Vertical Axes Labels Lela M. Brown, University of Oklahoma ABSTRACT PRoe GREPLAY's

More information

The Evolution of a SAS/GRAPH Application Jenine Eason, AutoTrader.com, Atlanta, GA

The Evolution of a SAS/GRAPH Application Jenine Eason, AutoTrader.com, Atlanta, GA Paper P05-04 The Evolution of a SAS/GRAPH Application Jenine Eason, AutoTrader.com, Atlanta, GA INTRODUCTION Graphs are an excellent way to represent any activity. The author is using web server errors

More information

The GSLIDE Procedure. Overview. About Text Slides CHAPTER 27

The GSLIDE Procedure. Overview. About Text Slides CHAPTER 27 959 CHAPTER 27 The GSLIDE Procedure Overview 959 About Text Slides 959 About Annotate Output 960 Procedure Syntax 960 PROC GSLIDE Statement 961 Examples 963 Example 1: Producing Text Slides 963 Example

More information

Multiple Graphical and Tabular Reports on One Page, Multiple Ways to Do It Niraj J Pandya, CT, USA

Multiple Graphical and Tabular Reports on One Page, Multiple Ways to Do It Niraj J Pandya, CT, USA Paper TT11 Multiple Graphical and Tabular Reports on One Page, Multiple Ways to Do It Niraj J Pandya, CT, USA ABSTRACT Creating different kind of reports for the presentation of same data sounds a normal

More information

How to Make an Impressive Map of the United States with SAS/Graph for Beginners Sharon Avrunin-Becker, Westat, Rockville, MD

How to Make an Impressive Map of the United States with SAS/Graph for Beginners Sharon Avrunin-Becker, Westat, Rockville, MD Paper RIV-27 How to Make an Impressive Map of the United States with SAS/Graph for Beginners Sharon Avrunin-Becker, Westat, Rockville, MD ABSTRACT Have you ever been given a map downloaded from the internet

More information

Reverse-engineer a Reference Curve: Capturing Tabular Data from Graphical Output Brian Fairfield-Carter, ICON Clinical Research, Redwood City, CA

Reverse-engineer a Reference Curve: Capturing Tabular Data from Graphical Output Brian Fairfield-Carter, ICON Clinical Research, Redwood City, CA Paper CC23 Reverse-engineer a Reference Curve: Capturing Tabular Data from Graphical Output Brian Fairfield-Carter, ICON Clinical Research, Redwood City, CA ABSTRACT The pharmaceutical industry is a competitive

More information

Introduction to Google SketchUp

Introduction to Google SketchUp Introduction to Google SketchUp When initially opening SketchUp, it will be useful to select the Google Earth Modelling Meters option from the initial menu. If this menu doesn t appear, the same option

More information

Tips and Tricks in Creating Graphs Using PROC GPLOT

Tips and Tricks in Creating Graphs Using PROC GPLOT Paper CC15 Tips and Tricks in Creating Graphs Using PROC GPLOT Qin Lin, Applied Clinical Intelligence, LLC, Bala Cynwyd, PA ABSTRACT SAS/GRAPH is a very powerful data analysis and presentation tool. Creating

More information

CHAPTER 4: MICROSOFT OFFICE: EXCEL 2010

CHAPTER 4: MICROSOFT OFFICE: EXCEL 2010 CHAPTER 4: MICROSOFT OFFICE: EXCEL 2010 Quick Summary A workbook an Excel document that stores data contains one or more pages called a worksheet. A worksheet or spreadsheet is stored in a workbook, and

More information

- Figure 1 :~!!~'!~,~!!~ MANAGEMENT GRAPHICS IN A QUALITY ASSURANCE ENVIRONMENT. Shirley J. McLelland. SAS Code used to produce the graph,

- Figure 1 :~!!~'!~,~!!~ MANAGEMENT GRAPHICS IN A QUALITY ASSURANCE ENVIRONMENT. Shirley J. McLelland. SAS Code used to produce the graph, MANAGEMENT GRAPHICS IN A QUALITY ASSURANCE ENVIRONMENT ita picture is worth a thousand words" is a familiar cliche. Southern California Edison Quality Assurance Organization is an environment which has

More information

SAMLab Tip Sheet #4 Creating a Histogram

SAMLab Tip Sheet #4 Creating a Histogram Creating a Histogram Another great feature of Excel is its ability to visually display data. This Tip Sheet demonstrates how to create a histogram and provides a general overview of how to create graphs,

More information

The TIMEPLOT Procedure

The TIMEPLOT Procedure 1247 CHAPTER 38 The TIMEPLOT Procedure Overview 1247 Procedure Syntax 1249 PROC TIMEPLOT Statement 1250 BY Statement 1250 CLASS Statement 1251 ID Statement 1252 PLOT Statement 1252 Results 1257 Data Considerations

More information

Chapter 2 - Graphical Summaries of Data

Chapter 2 - Graphical Summaries of Data Chapter 2 - Graphical Summaries of Data Data recorded in the sequence in which they are collected and before they are processed or ranked are called raw data. Raw data is often difficult to make sense

More information

Creating a Box-and-Whisker Graph in Excel: Step One: Step Two:

Creating a Box-and-Whisker Graph in Excel: Step One: Step Two: Creating a Box-and-Whisker Graph in Excel: It s not as simple as selecting Box and Whisker from the Chart Wizard. But if you ve made a few graphs in Excel before, it s not that complicated to convince

More information

Section 2-2 Frequency Distributions. Copyright 2010, 2007, 2004 Pearson Education, Inc

Section 2-2 Frequency Distributions. Copyright 2010, 2007, 2004 Pearson Education, Inc Section 2-2 Frequency Distributions Copyright 2010, 2007, 2004 Pearson Education, Inc. 2.1-1 Frequency Distribution Frequency Distribution (or Frequency Table) It shows how a data set is partitioned among

More information

A Stand-Alone SAS Annotate System for Figure Generation Brian Fairfield-Carter, PRA International, Victoria, BC

A Stand-Alone SAS Annotate System for Figure Generation Brian Fairfield-Carter, PRA International, Victoria, BC Paper 061-29 A Stand-Alone SAS Annotate System for Figure Generation Brian Fairfield-Carter, PRA International, Victoria, BC ABSTRACT Much of the work in developing output-generating tools involves striking

More information

Creating Population Tree Charts (Using SAS/GRAPH Software) Robert E. Allison, Jr. and Dr. Moon W. Suh College of Textiles, N. C.

Creating Population Tree Charts (Using SAS/GRAPH Software) Robert E. Allison, Jr. and Dr. Moon W. Suh College of Textiles, N. C. SESUG 1994 Creating Population Tree Charts (Using SAS/GRAPH Software) Robert E. Allison, Jr. and Dr. Moon W. Suh College of Textiles, N. C. State University ABSTRACT This paper describes a SAS program

More information

PharmaSUG 2013 CC26 Automating the Labeling of X- Axis Sanjiv Ramalingam, Vertex Pharmaceuticals, Inc., Cambridge, MA

PharmaSUG 2013 CC26 Automating the Labeling of X- Axis Sanjiv Ramalingam, Vertex Pharmaceuticals, Inc., Cambridge, MA PharmaSUG 2013 CC26 Automating the Labeling of X- Axis Sanjiv Ramalingam, Vertex Pharmaceuticals, Inc., Cambridge, MA ABSTRACT Labeling of the X-axis usually involves a tedious axis statement specifying

More information

Put Your Data on the Map: Using the GEOCODE and GMAP Procedures to Create Bubble Maps in SAS

Put Your Data on the Map: Using the GEOCODE and GMAP Procedures to Create Bubble Maps in SAS Paper 10404-2016 Put Your Data on the Map: Using the GEOCODE and GMAP Procedures to Create Bubble Maps in SAS ABSTRACT Caroline Walker, Warren Rogers Associates A bubble map is a useful tool for identifying

More information

DAY 52 BOX-AND-WHISKER

DAY 52 BOX-AND-WHISKER DAY 52 BOX-AND-WHISKER VOCABULARY The Median is the middle number of a set of data when the numbers are arranged in numerical order. The Range of a set of data is the difference between the highest and

More information

A Juxtaposition of Tables and Graphs Using SAS /GRAPH Procedures

A Juxtaposition of Tables and Graphs Using SAS /GRAPH Procedures A Juxtaposition of Tables and Graphs Using SAS /GRAPH Procedures Suhas R. Sanjee, MaxisIT Inc., Edison, NJ Sheng Zhang, Merck and Co., Upper Gwynedd, PA ABSTRACT Graphs provide high-impact visuals that

More information

Using ANNOTATE MACROS as Shortcuts

Using ANNOTATE MACROS as Shortcuts Using ANNOTATE MACROS as Shortcuts Arthur L. Carpenter California Occidental Consultants Abstract ANNOTATE macros can provide a shortcut when creating an ANNOTATE data set using assignment statements.

More information

Name Date Types of Graphs and Creating Graphs Notes

Name Date Types of Graphs and Creating Graphs Notes Name Date Types of Graphs and Creating Graphs Notes Graphs are helpful visual representations of data. Different graphs display data in different ways. Some graphs show individual data, but many do not.

More information

Picturing Statistics Diana Suhr, University of Northern Colorado

Picturing Statistics Diana Suhr, University of Northern Colorado Picturing Statistics Diana Suhr, University of Northern Colorado Abstract Statistical results could be easier to understand if you visualize them. This Hands On Workshop will give you an opportunity to

More information

SAS: Proc GPLOT. Computing for Research I. 01/26/2011 N. Baker

SAS: Proc GPLOT. Computing for Research I. 01/26/2011 N. Baker SAS: Proc GPLOT Computing for Research I 01/26/2011 N. Baker Introduction to SAS/GRAPH Graphics component of SAS system. Includes charts, plots, and maps in both 2 and 3 dimensions. Procedures included

More information

Graphical Presentation for Statistical Data (Relevant to AAT Examination Paper 4: Business Economics and Financial Mathematics) Introduction

Graphical Presentation for Statistical Data (Relevant to AAT Examination Paper 4: Business Economics and Financial Mathematics) Introduction Graphical Presentation for Statistical Data (Relevant to AAT Examination Paper 4: Business Economics and Financial Mathematics) Y O Lam, SCOPE, City University of Hong Kong Introduction The most convenient

More information

Introduction to SAS. I. Understanding the basics In this section, we introduce a few basic but very helpful commands.

Introduction to SAS. I. Understanding the basics In this section, we introduce a few basic but very helpful commands. Center for Teaching, Research and Learning Research Support Group American University, Washington, D.C. Hurst Hall 203 rsg@american.edu (202) 885-3862 Introduction to SAS Workshop Objective This workshop

More information

Fly over, drill down, and explore

Fly over, drill down, and explore ABSTRACT Paper 79-2013 Fly over, drill down, and explore Suzanne Brown, HealthInsight New Mexico, Albuquerque, NM Data often have a spatial dimension, whether it is a five-year financial plan and annual

More information

Creating Complex Graphics for Survival Analyses with the SAS System

Creating Complex Graphics for Survival Analyses with the SAS System Creating Complex Graphics for Survival Analyses with the SAS System Steven E. Elkin, MBH Consulting, Inc., New York, NY William Mietlowski, Novartis Pharmaceuticals Corp., East Hanover, NJ Kevin McCague,

More information

* builds the RGB color string from the color. * reads the red, green; and blue values for. * constructs an ANNOTATE dataset by

* builds the RGB color string from the color. * reads the red, green; and blue values for. * constructs an ANNOTATE dataset by IMPORTING X WINDOW SYSTEMTM RASTER IMAGES INTO SAS/GRAPHR SOFIWARE OUTPUT Bernadette Johnson Wendy D. Johnson Pharmaceutical Product Development, Inc. SAS Institute Inc. Introduction Under the UNIXR operating

More information

Customized Flowcharts Using SAS Annotation Abhinav Srivastva, PaxVax Inc., Redwood City, CA

Customized Flowcharts Using SAS Annotation Abhinav Srivastva, PaxVax Inc., Redwood City, CA ABSTRACT Customized Flowcharts Using SAS Annotation Abhinav Srivastva, PaxVax Inc., Redwood City, CA Data visualization is becoming a trend in all sectors where critical business decisions or assessments

More information

1.2. Pictorial and Tabular Methods in Descriptive Statistics

1.2. Pictorial and Tabular Methods in Descriptive Statistics 1.2. Pictorial and Tabular Methods in Descriptive Statistics Section Objectives. 1. Stem-and-Leaf displays. 2. Dotplots. 3. Histogram. Types of histogram shapes. Common notation. Sample size n : the number

More information

a. divided by the. 1) Always round!! a) Even if class width comes out to a, go up one.

a. divided by the. 1) Always round!! a) Even if class width comes out to a, go up one. Probability and Statistics Chapter 2 Notes I Section 2-1 A Steps to Constructing Frequency Distributions 1 Determine number of (may be given to you) a Should be between and classes 2 Find the Range a The

More information

SAS/GRAPH and ANNOTATE Facility More Than Just a Bunch of Labels and Lines

SAS/GRAPH and ANNOTATE Facility More Than Just a Bunch of Labels and Lines 2015 Paper AD-48 SAS/GRAPH and ANNOTATE Facility More Than Just a Bunch of Labels and Lines Mike Hunsucker, 14th Weather Squadron (USAF), Asheville, NC ABSTRACT SAS/GRAPH procedures enhanced with the ANNOTATE

More information

2.3 Organizing Quantitative Data

2.3 Organizing Quantitative Data 2.3 Organizing Quantitative Data This section will focus on ways to organize quantitative data into tables, charts, and graphs. Quantitative data is organized by dividing the observations into classes

More information

PharmaSUG 2015 Paper PO03

PharmaSUG 2015 Paper PO03 PharmaSUG 2015 Paper P03 A Visual Reflection on SAS/GRAPH History: Plot, Gplot, Greplay, and Sgrender Haibin Shu, AccuClin Global Services LLC, Wayne, PA John He, AccuClin Global Services LLC, Wayne, PA

More information

ABSTRACT. The SAS/Graph Scatterplot Object. Introduction

ABSTRACT. The SAS/Graph Scatterplot Object. Introduction Use of SAS/AF and the SAS/GRAPH Output Class Object to Develop Applications That Can Return Scatterplot Information Michael Hartman, Schering-Plough Corporation, Union, New Jersey ABSTRACT In today s time

More information

Presentation Quality Graphics with SAS/GRAPH

Presentation Quality Graphics with SAS/GRAPH Presentation Quality Graphics with SAS/GRAPH Keith Cranford, Marquee Associates, LLC Abstract The SASI GRAP~ Annotate Facilily along with hardware fonts can be used to produce presentation qualily graphics

More information

Microsoft Excel 2007

Microsoft Excel 2007 Microsoft Excel 2007 1 Excel is Microsoft s Spreadsheet program. Spreadsheets are often used as a method of displaying and manipulating groups of data in an effective manner. It was originally created

More information

NCSS Statistical Software

NCSS Statistical Software Chapter 152 Introduction When analyzing data, you often need to study the characteristics of a single group of numbers, observations, or measurements. You might want to know the center and the spread about

More information

(Refer Slide Time: 00:02:02)

(Refer Slide Time: 00:02:02) Computer Graphics Prof. Sukhendu Das Dept. of Computer Science and Engineering Indian Institute of Technology, Madras Lecture - 20 Clipping: Lines and Polygons Hello and welcome everybody to the lecture

More information

STA 570 Spring Lecture 5 Tuesday, Feb 1

STA 570 Spring Lecture 5 Tuesday, Feb 1 STA 570 Spring 2011 Lecture 5 Tuesday, Feb 1 Descriptive Statistics Summarizing Univariate Data o Standard Deviation, Empirical Rule, IQR o Boxplots Summarizing Bivariate Data o Contingency Tables o Row

More information

ODS LAYOUT is Like an Onion

ODS LAYOUT is Like an Onion Paper DP03_05 ODS LAYOUT is Like an Onion Rich Mays, University of Rochester Medical Center, Rochester, NY Abstract ODS LAYOUT is like an onion. They both make you cry? No! They both have layers! In version

More information

CHAPTER 1 Introduction to SAS/GRAPH Software

CHAPTER 1 Introduction to SAS/GRAPH Software 3 CHAPTER 1 Introduction to SAS/GRAPH Software Overview 4 Components of SAS/GRAPH Software 4 Device-Based Graphics and Template-Based Graphics 6 Graph Types 6 Charts 7 Block charts 7 Horizontal bar charts

More information

A Breeze through SAS options to Enter a Zero-filled row Kajal Tahiliani, ICON Clinical Research, Warrington, PA

A Breeze through SAS options to Enter a Zero-filled row Kajal Tahiliani, ICON Clinical Research, Warrington, PA ABSTRACT: A Breeze through SAS options to Enter a Zero-filled row Kajal Tahiliani, ICON Clinical Research, Warrington, PA Programmers often need to summarize data into tables as per template. But study

More information

COMPUTER TECHNOLOGY SPREADSHEETS BASIC TERMINOLOGY. A workbook is the file Excel creates to store your data.

COMPUTER TECHNOLOGY SPREADSHEETS BASIC TERMINOLOGY. A workbook is the file Excel creates to store your data. SPREADSHEETS BASIC TERMINOLOGY A Spreadsheet is a grid of rows and columns containing numbers, text, and formulas. A workbook is the file Excel creates to store your data. A worksheet is an individual

More information

SHOW ME THE NUMBERS: DESIGNING YOUR OWN DATA VISUALIZATIONS PEPFAR Applied Learning Summit September 2017 A. Chafetz

SHOW ME THE NUMBERS: DESIGNING YOUR OWN DATA VISUALIZATIONS PEPFAR Applied Learning Summit September 2017 A. Chafetz SHOW ME THE NUMBERS: DESIGNING YOUR OWN DATA VISUALIZATIONS PEPFAR Applied Learning Summit September 2017 A. Chafetz Overview In order to prepare for the upcoming POART, you need to look into testing as

More information

Section 1.1 The Distance and Midpoint Formulas; Graphing Utilities; Introduction to Graphing Equations

Section 1.1 The Distance and Midpoint Formulas; Graphing Utilities; Introduction to Graphing Equations Section 1.1 The Distance and Midpoint Formulas; Graphing Utilities; Introduction to Graphing Equations origin (x, y) Ordered pair (x-coordinate, y-coordinate) (abscissa, ordinate) x axis Rectangular or

More information