SAS Macro Language Reference PDF
SAS Macro Language Reference PDF
®
SAS Documentation
The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2009.
SAS ® 9.2 Macro Language: Reference. Cary, NC: SAS Institute Inc.
SAS® 9.2 Macro Language: Reference
Copyright © 2009, SAS Institute Inc., Cary, NC, USA
ISBN 978-1-59994-708-2
All rights reserved. Produced in the United States of America.
For a hard-copy book: No part of this publication may be reproduced, stored in a
retrieval system, or transmitted, in any form or by any means, electronic, mechanical,
photocopying, or otherwise, without the prior written permission of the publisher, SAS
Institute Inc.
For a Web download or e-book: Your use of this publication shall be governed by the
terms established by the vendor at the time you acquire this publication.
U.S. Government Restricted Rights Notice. Use, duplication, or disclosure of this
software and related documentation by the U.S. government is subject to the Agreement
with SAS Institute and the restrictions set forth in FAR 52.227-19 Commercial Computer
Software-Restricted Rights (June 1987).
SAS Institute Inc., SAS Campus Drive, Cary, North Carolina 27513.
1st electronic book, February 2009
1st printing, March 2009
SAS® Publishing provides a complete selection of books and electronic products to help
customers use SAS software to its fullest potential. For more information about our
e-books, e-learning products, CDs, and hard-copy books, visit the SAS Publishing Web site
at support.sas.com/publishing or call 1-800-727-3228.
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 registered trademarks or trademarks of their
respective companies.
Contents
Appendix 3 4 Syntax for Selected Functions Used with the %SYSFUNC Function 349
Summary Descriptions and Syntax 349
Glossary 355
Index 361
vi
vii
What’s New
Overview
The Macro Language Facility has the following enhancements:
3 new automatic macro variables that enable you to reduce the amount of text that
is needed to perform common tasks
3 new macro system options that enable you to define and redefine macros and to
better control their execution
3 new %MACRO statement options that enable you to create secure macros and to
integrate macros with other parts of your SAS programs
3 The &SYSENCODING automatic macro variable contains the name of the current
session encoding. See “SYSENCODING Automatic Macro Variable” on page 189.
3 The &SYSERRORTEXT automatic macro variable contains the text of the last
error message formatted for display on the SAS log. See “SYSERRORTEXT
Automatic Macro Variable” on page 192.
3 The &SYSHOSTNAME automatic macro variable contains the host name of a
computer. See “SYSHOSTNAME Automatic Macro Variable” on page 193.
3 The &SYSTCPIPHOSTNAME automatic macro variable contains the host names
of the local and remote computers when multiple TCP/IP stacks are supported.
See “SYSTCPIPHOSTNAME Automatic Macro Variable” on page 205.
3 The &SYSWARNINGTEXT automatic macro variable contains the text of the last
warning message formatted for display on the SAS log. See “SYSWARNINGTEXT
Automatic Macro Variable” on page 207.
viii What’s New
1
P A R T
CHAPTER
1
Introduction to the Macro
Facility
Syntax Conventions
1
PROC ATASETS <LIBRAR
RY= libref
2
r f > <MEMTYP
<DETAILS
T S | NODET
N TAILS> <other-option
r s>;
3 mtype-list )>
1
5
RENAME variable-1= new-name-1 <
Now you can use the macro variable CITY in SAS statements where you’d like the
text New Orleans to appear. You refer to the variable by preceding the variable name
with an ampersand (&), as in the following TITLE statement:
title "Data for &city";
The macro processor resolves the reference to the macro variable CITY:
title "Data for New Orleans";
A macro variable can be defined within a macro definition or within a statement that
is outside a macro definition (called open code).
Note: The title is enclosed in double quotation marks. In quoted strings in open
code, the macro processor resolves macro variable references within double quotation
marks but not within single quotation marks. 4
A %LET statement in open code (outside a macro definition) creates a global macro
variable that is available for use anywhere (except in DATALINES or CARDS
statements) in your SAS code during the SAS session in which the variable was
Introduction to the Macro Facility 4 Defining Macros 5
created. There are also local macro variables, which are available for use only inside
the macro definition where they are created. See Chapter 5, “Scopes of Macro
Variables,” on page 43 for more information about global and local macro variables.
Macro variables are not subject to the same length limits as SAS data set variables.
However, if the value you want to assign to a macro variable contains certain special
characters (for example, semicolons, quotation marks, ampersands, and percent signs)
or mnemonics (for example, AND, OR, or LT), you must use a macro quoting function to
mask the special characters. Otherwise, the special character or mnemonic might be
misinterpreted by the macro processor. See Chapter 7, “Macro Quoting,” on page 77 for
more information about macro quoting.
While macro variables are useful for simple text substitution, they cannot perform
conditional operations, DO loops, and other more complex tasks. For this type of work,
you must define a macro.
Defining Macros
Macros enable you to substitute text in a program and to do many other things. A
SAS program can contain any number of macros, and you can invoke a macro any
number of times in a single program.
To help you learn how to define your own macros, this section presents a few
examples you can model your own macros after. Each of these examples is fairly simple;
by mixing and matching the various techniques, you can create advanced, flexible
macros that are capable of performing complex tasks.
Each macro you define has a distinct name. When choosing a name for your macro, it
is recommended that you avoid a name that is a SAS language keyword or call routine
name. The name you choose is subject to the standard SAS naming conventions. (See
the Base SAS language documentation for more information about SAS naming
conventions.) A macro definition is placed between a %MACRO statement and a
%MEND (macro end) statement, as in the following example:
%MACRO macro-name;
macro definition
%MEND macro-name;
The macro-name specified in the %MEND statement must match the macro-name
specified in the %MACRO statement.
Note: While specifying the macro-name in the %MEND statement is not required, it
is recommended. It makes matching %MACRO and %MEND statements while
debugging easier. 4
Here is an example of a simple macro definition:
%macro dsn;
Newdata
%mend dsn;
This macro is named DSN. Newdata is the text of the macro. A string inside a macro
is called constant text or model text because it is the model, or pattern, for the text that
becomes part of your SAS program.
6 Inserting Comments in Macros 4 Chapter 1
To call (or invoke) a macro, precede the name of the macro with a percent sign (%):
%macro-name
Although the call to the macro looks somewhat like a SAS statement, it does not
have to end in a semicolon.
For example, here is how you might call the DSN macro:
title "Display of Data Set %dsn";
The macro processor executes the macro DSN, which substitutes the constant text in
the macro into the TITLE statement:
title "Display of Data Set Newdata";
Note: The title is enclosed in double quotation marks. In quoted strings in open
code, the macro processor resolves macro invocations within double quotation marks
but not within single quotation marks. 4
The macro DSN is exactly the same as the following coding:
%let dsn=Newdata;
So, in this case, the macro approach does not have any advantages over the macro
variable approach. However, DSN is an extremely simple macro. As you will see in
later examples, macros can do much more than the macro DSN does.
All code benefits from thorough commenting, and macro code is no exception. There
are two forms you can use to add comments to your macro code.
The first form is the same as comments in SAS code, beginning with /* and ending
with */. The second form begins with a %* and ends with a ;. The following program
uses both types of comments:
%macro comment;
/* Here is the type of comment used in other SAS code. */
%let myvar=abc;
%mend comment;
You can use whichever type comment you prefer in your macro code, or use both
types as in the previous example.
The asterisk-style comment ( * commentary ; )used in SAS code is not recommended
within a macro definition. While the asterisk-style will comment constant text
appropriately, it will execute any macro statements contained within the comment. This
form of comment is not recommended because unmatched quotation marks contained
within the comment text are not ignored and can cause unpredictable results.
Introduction to the Macro Facility 4 Passing Information into a Macro Using Parameters 7
%plot
proc print;
run;
proc plot;
plot income*age;
run;
proc print;
run;
%plot(yvar=income,xvar=yrs_educ)
When the macro executes, the macro processor matches the values specified in the
macro call to the parameters in the macro definition. (This type of parameter is called a
keyword parameter.)
Macro execution produces the following code:
8 Conditionally Generating SAS Code 4 Chapter 1
proc plot;
plot income*age;
run;
proc plot;
plot income*yrs_educ;
run;
Using parameters has several advantages. First, you can write fewer %LET
statements. Second, using parameters ensures that the variables never interfere with
parts of your program outside the macro. Macro parameters are an example of local
macro variables, which exist only during the execution of the macro in which they are
defined.
In this example, the macro WHATSTEP uses keyword parameters, which are set to
default null values. When you call a macro that uses keyword parameters, specify the
parameter name followed by an equal sign and the value you want to assign the
parameter. Here, the macro WHATSTEP is called with INFO set to print and
MYDATA set to grocery:
%whatstep(info=print,mydata=grocery)
Because values in the macro processor are case sensitive, the previous program does
not work if you specify PRINT instead of print. To make your macro more robust, use
the %UPCASE macro function. For more information, see “%UPCASE and %QUPCASE
Functions” on page 260.
For more information, see “%MACRO Statement” on page 289 and “%MEND
Statement” on page 295.
Introduction to the Macro Facility 4 Generating a Suffix for a Macro Variable Reference 9
The macro NAMES creates a series of names by concatenating the value of the
parameter NAME and the value of the macro variable N. You supply the stopping value
for N as the value of the parameter NUMBER, as in the following DATA statement:
data %names(name=dsn,number=5);
Note: You can also execute a %DO loop conditionally with %DO %WHILE and %DO
%UNTIL statements. For more information, see “%DO %WHILE Statement” on page
277 and “%DO %UNTIL Statement” on page 276. 4
The period is a delimiter at the end of the reference &NAME. The macro processor
uses the delimiter to distinguish the reference &NAME followed by the letter X from
the reference &NAMEX. Here is an example of calling the macro NAMESX in a DATA
statement:
data %namesx(name=dsn,number=3);
See Chapter 3, “Macro Variables,” on page 19 for more information about using a
period as a delimiter in a macro variable reference.
10 Other Features of the Macro Language 4 Chapter 1
CHAPTER
2
SAS Programs and Macro
Processing
Word Scanner
Input Stack
Batch or
Display Manager SCL Compile
SCL Submit Block Noninteractive
Submit Command Command
Submission
Display Manager
Command Line
Once a program reaches the input stack, SAS transforms the stream of characters
into individual tokens. These tokens are transferred to different parts of SAS for
processing, such as the DATA step compiler and the macro processor. Knowing how
SAS recognizes tokens and how they are transferred to different parts of SAS will help
you understand how the various parts of SAS and the macro processor work together
and how to control the timing of macro execution in your programs. The following
sections show you how a simple program is tokenized and processed.
Word Scanner
Input Stack
The first SAS statement in the input stack in the preceding figure contains eight
tokens (four names and four special characters).
data sales(drop=lastyr);
When the word scanner finds a blank or the beginning of a new token, it removes a
token from the input stack and transfers it to the bottom of the queue.
In this example, when the word scanner pulls the first token from the input stack, it
recognizes the token as the beginning of a DATA step. The word scanner triggers the
DATA step compiler, which begins to request more tokens. The compiler pulls tokens
from the top of the queue, as shown in the following figure.
14 How SAS Processes Statements with Macro Activity 4 Chapter 2
Input Stack
);
infile inl;
input ml-ml2 lastyr;
total=ml2+lastyr;
run;
The compiler continues to pull tokens until it recognizes the end of the DATA step (in
this case, the RUN statement), which is called a DATA step boundary, as shown in the
following figure. When the DATA step compiler recognizes the end of a step, the step is
executed, and the DATA step is complete.
Input Stack
In most SAS programs with no macro processor activity, all information that the
compiler receives comes from the submitted program.
Symbol Table
SYSDAY Friday
Macro Processor
Input Stack
%let file=inl;
data sales (drop=lastyr);
infile &file;
input ml-ml2 lastyr;
total=ml2+lastyr;
run;
Whenever the word scanner encounters a macro trigger, it sends information to the
macro processor. A macro trigger is either an ampersand (&) or percent sign (%)
followed by a nonblank character. As it did in the previous example, the word scanner
begins to process this program by examining the first characters in the input stack. In
this case, the word scanner finds a percent sign (%) followed by a nonblank character.
The word scanner recognizes this combination of characters as a potential macro
language element, and triggers the macro processor to examine % and LET, as shown in
the following figure.
Symbol Table
SYSDAY Friday
%
Macro Processor
Input Stack
let file=inl;
data sales (drop=lastyr);
infile &file;
input ml-ml2 lastyr;
total=ml2+lastyr;
run;
When the macro processor recognizes a macro language element, it begins to work
with the word scanner. In this case, the macro processor removes the %LET statement,
and writes an entry in the symbol table, as shown in the following figure.
16 How SAS Processes Statements with Macro Activity 4 Chapter 2
Symbol Table
SYSDAY Friday
FILE
Macro Processor
Input Stack
in1 ;
data sales (drop=lastyr);
infile &file;
input ml-ml2 lastyr;
total=ml2+lastyr;
run;
From the time the word scanner triggers the macro processor until that macro
processor action is complete, the macro processor controls all activity. While the macro
processor is active, no activity occurs in the word scanner or the DATA step compiler.
When the macro processor is finished, the word scanner reads the next token (the
DATA keyword in this example) and sends it to the compiler. The word scanner triggers
the compiler, which begins to pull tokens from the top of the queue, as shown in the
following figure.
data
Symbol Table
sales
(drop SYSDAY Friday
= FILE in1
lastyr)
Macro Processor
Input Stack
;
infile &file;
input ml-ml2 lastyr;
total=ml2+lastyr;
run;
As it processes each token, SAS removes the protection that the macro quoting
functions provide to mask special characters and mnemonic operators. For more
information, see Chapter 7, “Macro Quoting,” on page 77.
SAS Programs and Macro Processing 4 How SAS Processes Statements with Macro Activity 17
Macro Processor
Input Stack
file;
input ml-ml2 lastyr;
total=ml2+lastyr;
run;
The macro processor examines the token and recognizes a macro variable that exists
in the symbol table. The macro processor removes the macro variable name from the
input stack and replaces it with the text from the symbol table, as shown in the
following figure.
Figure 2.10 The Macro Processor Generates Text to the Input Stack
Macro Processor
Input Stack
in1 ;
input ml-ml2 lastyr;
total=ml2+lastyr;
run;
18 How SAS Processes Statements with Macro Activity 4 Chapter 2
The compiler continues to request tokens, and the word scanner continues to supply
them, until the entire input stack has been read as shown in the following figure.
Macro Processor
Input Stack
If the end of the input stack is a DATA step boundary, as it is in this example, the
compiler compiles and executes the step. SAS then frees the DATA step task. Any
macro variables that were created during the program remain in the symbol table. If the
end of the input stack is not a step boundary, the processed statements remain in the
compiler. Processing resumes when more statements are submitted to the input stack.
19
CHAPTER
3
Macro Variables
as global, the variable is typically held in the macro’s local symbol table, which SAS
creates when the macro starts executing. For more information about symbol tables,
see Chapter 2, “SAS Programs and Macro Processing,” on page 11 and Chapter 5,
“Scopes of Macro Variables,” on page 43.
When it is in the global symbol table, a macro variable exists for the remainder of
the current SAS session. A variable in the global symbol table is called a global macro
variable. This variable has global scope because its value is available to any part of the
SAS session (except in CARDS or DATALINES statements). Other components of SAS
might create global macro variables, but only those components created by the macro
processor are considered automatic macro variables.
When it is in a local symbol table, a macro variable exists only during execution of
the macro in which it is defined. A variable in a local symbol table is called a local
macro variable. It has local scope because its value is available only while the macro is
executing. Chapter 2, “SAS Programs and Macro Processing,” on page 11 contains
figures that illustrate a program with a global and a local symbol table.
You can use the %PUT statement to view all macro variables available in a current
SAS session. See “%PUT Statement” on page 296 and also in Chapter 10, “Macro
Facility Error Messages and Debugging,” on page 117.
If the current SAS session is invoked on December 17, 2007, macro variable
resolution causes SAS to receive this statement:
FOOTNOTE "Report for Monday, 17DEC2007";
Automatic macro variables are often useful in conditional logic such as a %IF
statement with actions determined by the value that is returned. For more information,
see “%IF-%THEN/%ELSE Statement” on page 282.
You can assign values to automatic macro variables that have read and write status.
However, you cannot assign a value to an automatic macro variable that has read-only
status. The following table lists the automatic macro variables that are created by the
SAS macro processor and their read/write status.
Use %PUT _AUTOMATIC_ to view all available automatic macro variables.
There are also system-specific macro variables that are created only on a particular
platform. These are documented in the host companion, and common ones are listed in
Chapter 11, “Writing Efficient and Portable Macros,” on page 139. Other SAS software
products also provide macro variables, which are described in the documentation for the
product that uses them. Neither of these types of macro variables are considered
automatic macro variables.
Macro Variables 4 Macro Variables Defined by the Macro Processor 21
Words in the Macro Facility,” on page 345. If you assign a macro variable name that is
not valid, an error message is printed in the SAS log.
You can use %PUT _ALL_ to view all user-created macro variables.
DSNAME is the name of the macro variable. Newdata is the value of the macro
variable DSNAME. The value of a macro variable is simply a string of characters. The
characters can include any letters, numbers, or printable symbols found on your
keyboard, and blanks between characters. The case of letters is preserved in a macro
variable value. Some characters, such as unmatched quotation marks, require special
treatment, which is described later.
If a macro variable already exists, a value assigned to it replaces its current value. If
a macro variable or its value contains macro triggers (% or &), the trigger is evaluated
before the value is assigned. In the following example, &name is resolved to Cary and
then it is assigned as the value of city in the following statements:
%let name=Cary;
%let city=&name;
Generally, the macro processor treats alphabetic characters, digits, and symbols
(except & and %) as characters. It can also treat & and % as characters using a special
treatment, which is described later. It does not make a distinction between character
and numeric values as the rest of SAS does. (However, the “%EVAL Function” on page
230 and “%SYSEVALF Function” on page 251 can evaluate macro variables as integers
or floating point numbers.)
Macro variable values can represent text to be generated by the macro processor or
text to be used by the macro processor. Values can range in length from 0 to 65,534
characters. If you omit the value argument, the value is null (0 characters). By default,
leading and trailing blanks are not stored with the value.
In addition to the %LET statement, the following list contains other features of the
macro language that create macro variables:
3 iterative %DO statement
3 %GLOBAL statement
3 %INPUT statement
3 INTO clause of the SELECT statement in SQL
3 %LOCAL statement
3 %MACRO statement
3 SYMPUT routine and SYMPUTN routine in SCL
3 %WINDOW statement
The following table describes how to assign a variety of types of values to macro
variables.
24 Creating Macro Variables and Assigning Values 4 Chapter 3
Assign Values
Constant text a character string. The following statements show several ways that the value
maple can be assigned to macro variable STREET. In each case, the macro
processor stores the five-character value maple as the value of STREET. The
leading and trailing blanks are not stored.
%let street=maple;
Digits the appropriate digits. This example creates the macro variables NUM and
TOTALSTR:
%let num=123;
%let totalstr=100+200;
The macro processor does not treat 123 as a number or evaluate the expression
100+200. Instead, the macro processor treats all the digits as characters.
Assign Values
Blanks and macro quoting function %STR or %NRSTR around the value. This action masks
special the blanks or special characters so that the macro processor interprets them as
characters text. See “Macro Quoting Functions” on page 158 and Chapter 7, “Macro
Quoting,” on page 77. For example,
%let state=%str( North Carolina);
%let town=%str(Taylor%’s Pond);
%let store=%nrstr(Smith&Jones);
%let plotit=%str(
proc plot;
plot income*age;
run;);
The definition of macro variable TOWN demonstrates using %STR to mask a
value containing an unmatched quotation mark. “Macro Quoting Functions” on
page 158 and Chapter 7, “Macro Quoting,” on page 77 discuss macro quoting
functions that require unmatched quotation marks and other symbols to be
marked.
The definition of macro variable PLOTIT demonstrates using %STR to mask
blanks and special characters (semicolons) in macro variable values. When a
macro variable contains complete SAS statements, the statements are easier to
read if you enter them on separate lines with indentions for statements within
a DATA or PROC step. Using a macro quoting function retains the significant
blanks in the macro variable value.
Value from a the SYMPUT routine. This example puts the number of observations in a data
DATA step set into a FOOTNOTE statement where AGE is greater than 20:
data _null_;
set in.permdata end=final;
if age>20 then n+1;
if final then call symput(’number’,trim(left(n)));
run;
footnote "&number Observations have AGE>20";
During the last iteration of the DATA step, the SYMPUT routine creates a
macro variable named NUMBER whose value is the value of N. (SAS also
issues a numeric-to-character conversion message.) The TRIM and the LEFT
functions remove the extra space characters from the DATA step variable N
before its value is assigned to the macro variable NUMBER.
For a discussion of SYMPUT, including information about preventing the
numeric-character message, see “CALL SYMPUT Routine” on page 212.
%let dsn=Newdata;
title1 "Contents of Data Set &dsn";
title2 ’Contents of Data Set &dsn’;
In the first TITLE statement, the macro processor resolves the reference by replacing
&DSN with the value of macro variable DSN. In the second TITLE statement, the
value for DSN does not replace &DSN. SAS sees the following statements:
TITLE1 "Contents of Data Set Newdata";
TITLE2 ’Contents of Data Set &dsn’;
You can refer to a macro variable as many times as you need to in a SAS program.
The value remains constant until you change it. For example, this program refers to
macro variable DSN twice:
%let dsn=Newdata;
data temp;
set &dsn;
if age>=20;
run;
proc print;
title "Subset of Data Set &dsn";
run;
Each time the reference &DSN appears, the macro processor replaces it with
Newdata. SAS sees the following statements:
DATA TEMP;
SET NEWDATA;
IF AGE>=20;
RUN;
PROC PRINT;
TITLE "Subset of Data Set NewData";
RUN;
Note: If you reference a macro variable that does not exist, a warning message is
printed in the SAS log. For example, if macro variable JERRY is misspelled as JERY,
the following produces an unexpected result:
%let jerry=student;
data temp;
x="produced by &jery";
run;
reuse the same text in several places or to reuse a program because you can change
values for each use.
To reuse the same text in several places, you can write a program with macro
variable references representing the common elements. You can change all the locations
with a single %LET statement, as shown:
%let name=sales;
data new&name;
set save.&name;
more SAS statements
if units>100;
run;
Notice that macro variable references do not require the concatenation operator as
the DATA step does. SAS forms the resulting words automatically.
None of the macro variable references have resolved as you intended. The macro
processor issues warning messages, and SAS issues syntax error messages. Why?
Because NAME1 and NAME2 are valid SAS names, the macro processor searches for
those macro variables rather than for NAME, and the references pass into the DATA
statement without resolution.
In a macro variable reference, the word scanner recognizes that a macro variable
name has ended when it encounters a character that is not used in a SAS name.
However, you can use a period ( . ) as a delimiter for a macro variable reference. For
example, to cause the macro processor to recognize the end of the word NAME in this
example, use a period as a delimiter between &NAME and the suffix:
28 Creating a Period to Follow Resolved Text 4 Chapter 3
/* correct version */
data &name.1 &name.2;
You can end any macro variable reference with a delimiter, but the delimiter is
necessary only if the characters that follow can be part of a SAS name. For example,
both of these TITLE statements are correct:
title "&name.--a report";
title "&name--a report";
You can also use a “%PUT Statement” on page 296 to view available macro variables.
%PUT provides several options that enable you to view individual categories of macro
variables.
The system option SYMBOLGEN displays the resolution of macro variables. For this
example, assume that macro variables PROC and DSET have the values GPLOT and
SASUSER.HOUSES, respectively.
options symbolgen;
title "%upcase(&proc) of %upcase(&dset)";
For more information about debugging macro programs, see Chapter 10, “Macro
Facility Error Messages and Debugging,” on page 117.
This code produces a warning message saying that there is no macro variable CITY
because the macro facility has tried to resolve &CITY and then &N and concatenate
those values.
When you use an indirect macro variable reference, you must force the macro
processor to scan the macro variable reference more than once and resolve the desired
reference on the second, or later, scan. To force the macro processor to rescan a macro
variable reference, you use more than one ampersand in the macro variable reference.
When the macro processor encounters multiple ampersands, its basic action is to
resolve two ampersands to one ampersand. For example, for you to append the value of
&N to CITY and then reference the appropriate variable name, do the following:
%put &&city&n; /* correct */
If &N contains 6, when the macro processor receives this statement, it performs the
following steps:
1 resolves && to &
2 passes CITY as text
3 resolves &N into 6
4 returns to the beginning of the macro variable reference, &CITY6, starts resolving
from the beginning again, and prints the value of CITY6
%macro listthem;
%do n=1 %to 10; &&city&n
%end;
%mend listthem;
%put %listthem;
The first %LET statement assigns the string 123 maple avenue to macro variable
ADDRESS. The second %LET statement uses the %SCAN function to search the source
(first argument) and retrieve the first word (second argument). Because the macro
processor executes the %SCAN function before it stores the value, the value of
FRSTWORD is the string 123.
Macro Variables 4 Manipulating Macro Variable Values with Macro Functions 31
For more information about %SCAN, see “%SCAN and %QSCAN Functions” on page
238. For more information about macro functions, see Chapter 12, “Macro Language
Elements,” on page 153.
32
33
CHAPTER
4
Macro Processing
Input Stack
%macro app(goal);
%if &sysday=Friday %then
%do;
data thisweek;
set lastweek;
if totsales > &goal
then bonus = .03;
else bonus = 0;
%end;
%mend app;
%app(10000)
proc print;
run;
Using the same process described in Chapter 2, “SAS Programs and Macro
Processing,” on page 11 the word scanner begins tokenizing the program. When the
word scanner detects % followed by a nonblank character in the first token, it triggers
the macro processor. The macro processor examines the token and recognizes the
beginning of a macro definition. The macro processor pulls tokens from the input stack
and compiles until the %MEND statement terminates the macro definition (Figure 4.2
on page 35).
During macro compilation, the macro processor does the following:
3 creates an entry in the session catalog
3 compiles and stores all macro program statements for that macro as macro
instructions
3 stores all noncompiled items in the macro as text
Note: Text items are underlined in the illustrations in this section. 4
If the macro processor detects a syntax error while compiling the macro, it checks the
syntax in the rest of the macro and issues messages for any additional errors it finds.
Macro Processing 4 How the Macro Processor Compiles a Macro Definition 35
However, the macro processor does not store the macro for execution. A macro that the
macro processor compiles but does not store is called a dummy macro.
Macro Catalog
APP Macro Macro Processor
%macro app(goal);
%if &sysday=Friday %then
%do; Input Stack
data thisweek; if totsales > &goal
set lastweek;
then bonus = .03;
else bonus = 0;
%end;
%mend app;
%app(10000)
proc print;
run;
In this example, the macro definition is compiled and stored successfully. (See the
following figure.) For the sake of illustration, the compiled APP macro looks like the
original macro definition that was in the input stack. The entry would actually contain
compiled macro instructions with constant text. The constant text in this example is
underlined.
Macro Catalog
APP Macro
Macro Processor
%macro app(goal);
%if&sysday=Friday %then
%do; Input Stack
data thisweek;
%app(10000)
set lastweek; proc print;
if totsales > &goal run;
then bonus = .03;
else bonus = 0;
%end;
%mend app;
36 How the Macro Processor Executes a Compiled Macro 4 Chapter 4
Input Stack
%app(10000)
proc print;
run;
The word scanner examines the input stack and detects % followed by a nonblank
character in the first token. It triggers the macro processor to examine the token.
Macro Catalog
APP Macro
Macro Processor
%macro app(goal);
%if &sysday=Friday %then
%do; Input Stack
data thisweek; app (10000)
set lastweek; proc print;
if totsales > &goal run;
then bonus = .03;
else bonus = 0;
%end;
%mend app;
The macro processor recognizes a macro call and begins to execute macro APP, as
follows:
Macro Processing 4 How the Macro Processor Executes a Compiled Macro 37
1 The macro processor creates a local symbol table for the macro. The macro
processor examines the previously compiled definition of the macro. If there are
any parameters, variable declarations, or computed GOTO statements in the
macro definition, the macro processor adds entries for the parameters and
variables to the newly created local symbol table.
2 The macro processor further examines the previously compiled macro definition for
parameters to the macro. If no parameters were defined in the macro definition,
the macro processor begins to execute the compiled instructions of the macro. If
any parameters were contained in the definition, the macro processor removes
tokens from the input stack to obtain values for positional parameters and
non-default values for keyword parameters. The values for parameters found in
the input stack are placed in the appropriate entry in the local symbol table.
Note: Before executing any compiled instructions, the macro processor removes
only enough tokens from the input stack to ensure that any tokens that are
supplied by the user and pertain to the macro call have been removed. 4
3 The macro processor encounters the compiled %IF instruction and recognizes that
the next item will be text containing a condition.
4 The macro processor places the text &sysday=Friday on the input stack ahead of
the remaining text in the program. (See the following figure). The macro processor
waits for the word scanner to tokenize the generated text.
5 The word scanner starts tokenizing the generated text, recognizes an ampersand
followed by nonblank character in the first token, and triggers the macro processor.
6 The macro processor examines the token and finds a possible macro variable
reference, &SYSDAY. The macro processor first searches the local APP symbol
table for a matching entry and then the global symbol table. When the macro
processor finds the entry in the global symbol table, it replaces macro variable in
the input stack with the value Friday. (See the following figure.)
38 How the Macro Processor Executes a Compiled Macro 4 Chapter 4
7 The macro processor stops and waits for the word scanner to tokenize the
generated text.
8 The word scanner then read Friday=Friday from the input stack.
9 The macro processor evaluates the expression Friday=Friday and, because the
expression is true, proceeds to the %THEN and %DO instructions.
10 The macro processor executes the compiled %DO instructions and recognizes that
the next item is text.
Macro Processing 4 How the Macro Processor Executes a Compiled Macro 39
11 The macro processor places the text on top of the input stack and waits for the
word scanner to begin tokenization.
12 The word scanner reads the generated text from the input stack, and tokenizes it.
13 The word scanner recognizes the beginning of a DATA step, and triggers the
compiler to begin accepting tokens. The word scanner transfers tokens to the
compiler from the top of the stack.
14 When the word scanner detects & followed by a nonblank character (the macro
variable reference &GOAL), it triggers the macro processor.
15 The macro processor looks in the local APP symbol table and resolves the macro
variable reference &GOAL to 10000. The macro processor places the value on top
of the input stack, ahead of the remaining text in the program.
40 How the Macro Processor Executes a Compiled Macro 4 Chapter 4
16 The word scanner resumes tokenization. When it has completed tokenizing the
generated text, it triggers the macro processor.
17 The macro processor resumes processing the compiled macro instructions. It
recognizes the end of the %DO group at the %END instruction and proceeds to
%MEND.
18 the macro processor executes the %MEND instruction, removes the local symbol
table APP, and macro APP ceases execution.
19 The macro processor triggers the word scanner to resume tokenization.
20 The word scanner reads the first token in the input stack (PROC), recognizes the
beginning of a step boundary, and triggers the DATA step compiler.
21 The compiled DATA step is executed, and the DATA step compiler is cleared.
22 The word scanner signals the PRINT procedure (a separate executable not
illustrated), which pulls the remaining tokens.
Macro Processing 4 Summary of Macro Processing 41
CHAPTER
5
Scopes of Macro Variables
%macro concat;
data _null_;
length longname $20;
longname="&county"||" County";
put longname;
run;
%mend concat;
%concat
COUNTY Clark
%holinfo(Wednesday,12/25)
As you can see from the log, the local macro variables DAY, DATE, and HOLIDAY
resolve inside the macro, but outside the macro they do not exist and therefore do not
resolve.
A macro’s local symbol table is empty until the macro creates at least one macro
variable. A local symbol table can be created by any of the following:
3 the presence of one or more macro parameters
3 a %LOCAL statement
3 macro statements that define macro variables, such as %LET and the iterative
%DO statement (if the variable does not already exist globally or a %GLOBAL
statement is not used)
Note: Macro parameters are always local to the macro that defines them. You
cannot make macro parameters global. (Although, you can assign the value of the
parameter to a global variable. See “Creating Global Variables Based on the Value of
Local Variables” on page 60.) 4
When you invoke one macro inside another, you create nested scopes. Because you
can have any number of levels of nested macros, your programs can contain any
number of levels of nested scopes.
You can use the %SYMLOCAL function to indicate whether an existing macro
variable resides in an enclosing local symbol table. See the “%SYMLOCAL Function” on
page 250 for more detailed information.
%macro dogs(type=);
data _null_;
set all_dogs;
where dogtype="&type" and dogorig="&origin";
put breed " is for &type.";
run;
%put _user_;
%mend dogs;
%dogs(type=work)
The %PUT statement preceding the %MEND statement writes to the SAS log the
scopes, names, and values of all user-generated macro variables:
DOGS TYPE work
GLOBAL ORIGIN North America
Because TYPE is a macro parameter, TYPE is local to the macro DOGS, with value
work. Because ORIGIN is defined in open code, it is global.
figure below illustrates the process for resolving macro variable references. Both these
figures represent the most basic type of search and do not apply in special cases, such
as when a %LOCAL statement is used or the variable is created by CALL SYMPUT.
YES NO YES NO
YES NO
Change Create
variable variable
value in local
in global symbol
symbol table
table
Scopes of Macro Variables 4 How Macro Variables Are Assigned and Resolved 49
Request to resolve
variable
YES NO YES NO
YES NO
YES NO
Resolve Issue
variable warning
message
50 Examples of Macro Variable Scopes 4 Chapter 5
data &new;
Because NEW exists as a global variable, the macro processor changes the value of
the variable rather than creating a new one. The macro NAME1’s local symbol table
remains empty.
The following figure illustrates the contents of the global and local symbol tables
before, during, and after NAME1’s execution.
Scopes of Macro Variables 4 Changing the Values of Existing Macro Variables 51
…
NEW inventry
…
NEW report
NAME1
NEW report
52 Creating Local Variables 4 Chapter 5
%name2
data &new;
set &old;
run;
After NAME2 executes, the SAS compiler sees the following statements:
data report;
set &old;
run;
The macro processor encounters the reference &OLD after macro NAME2 has
finished executing; thus, the macro variable OLD no longer exists. The macro processor
is not able to resolve the reference and issues a warning message.
The following figure illustrates the contents of the global and local symbol tables at
various stages.
Scopes of Macro Variables 4 Creating Local Variables 53
…
NEW inventry
…
NEW report
NEW report
But suppose you place the SAS statements inside the macro NAME2, as in the
54 Creating Local Variables 4 Chapter 5
following program:
%let new=inventry;
%macro name2;
%let new=report;
%let old=warehse;
data &new;
set &old;
run;
%mend name2;
%name2
In this case, the macro processor generates the SET statement during the execution
of NAME2, and it locates OLD in NAME2’s local symbol table. Therefore, executing the
macro produces the following statements:
data report;
set warehse;
run;
The same rule applies regardless of how many levels of nesting exist. Consider the
following example:
%let new=inventry;
%macro conditn;
%let old=sales;
%let cond=cases>0;
%mend conditn;
%macro name3;
%let new=report;
%let old=warehse;
%conditn
data &new;
set &old;
if &cond;
run;
%mend name3;
%name3
CONDITN finishes executing before the macro processor reaches the reference
&COND, so no variable named COND exists when the macro processor attempts to
resolve the reference. Thus, the macro processor issues a warning message and
generates the unresolved reference as part of the constant text and issues a warning
message. The following figure shows the symbol tables at each step.
Scopes of Macro Variables 4 Creating Local Variables 55
Early execution of
NAME3, before GLOBAL SYSDATE 15AUG97
CONDITN executes SYSDAY Friday
…
NEW report
…
NEW report
Late execution of
NAME3, after GLOBAL SYSDATE 15AUG97
CONDITN executes SYSDAY Friday
…
NEW report
Notice that the placement of a macro invocation is what creates a nested scope, not
the placement of the macro definition. For example, invoking CONDITN from within
56 Forcing a Macro Variable to Be Local 4 Chapter 5
NAME3 creates the nested scope. It is not necessary to define CONDITN within
NAME3.
proc print;
var %namelst(dept,5);
title "Quarterly Report for &n";
run;
After macro execution, the SAS compiler sees the following statements:
proc print;
var dept1 dept2 dept3 dept4 dept5;
title "Quarterly Report for 6";
run;
Scopes of Macro Variables 4 Forcing a Macro Variable to Be Local 57
The macro processor changes the value of the global variable N each time it executes
the iterative %DO loop. (After the loop stops executing, the value of N is 6, as described
in “%DO Statement” on page 273.) To prevent conflicts, use a %LOCAL statement to
create a local variable N, as shown here:
%macro namels2(name,number);
%local n;
%do n=1 %to &number;
&name&n
%end;
%mend namels2;
proc print;
var %namels2(dept,5);
title "Quarterly Report for &n";
run;
The following figure shows the symbol tables before NAMELS2 executes, while
NAMELS2 is executing, and when the macro processor encounters the reference &N in
the TITLE statement.
58 Forcing a Macro Variable to Be Local 4 Chapter 5
Figure 5.8 Symbol Tables for Global and Local Variables with the Same Name
…
N North State Industries
…
N North State Industries
%macro name4;
%let new=report;
%let old=warehse;
%conditn
data &new;
set &old;
if &cond;
run;
%mend name4;
%name4
Suppose you want to put the SAS DATA step statements outside NAME4. In this
case, all the macro variables must be global for the macro processor to resolve the
references. You cannot add OLD to the %GLOBAL statement in CONDITN because the
%LET statement in NAME4 has already created OLD as a local variable to NAME4 by
the time CONDITN begins to execute. (You cannot use the %GLOBAL statement to
make an existing local variable global.)
Thus, to make OLD global, use the %GLOBAL statement before the variable
reference appears anywhere else, as shown here in the macro NAME5:
%let new=inventry;
%macro conditn;
%global cond;
%let old=sales;
%let cond=cases>0;
%mend conditn;
%macro name5;
%global old;
%let new=report;
%let old=warehse;
60 Creating Global Variables Based on the Value of Local Variables 4 Chapter 5
%conditn
%mend name5;
%name5
data &new;
set &old;
if &cond;
run;
Now the %LET statement in NAME5 changes the value of the existing global
variable OLD rather than creating OLD as a local variable. The SAS compiler sees the
following statements:
data report;
set sales;
if cases>0;
run;
proc print;
var %namels3(dept,5);
title "Quarterly Report for &n";
footnote "Survey of &g_number Departments";
run;
variable reference that uses that variable. (For more information, see “CALL SYMPUT
Routine” on page 212.) However, a few special cases exist that involve the scope of a
macro variable created by CALL SYMPUT. These cases are good examples of why you
should always assign a scope to a variable before assigning a value rather than relying
on SAS to do it for you.
Two rules control where CALL SYMPUT creates its variables:
1 CALL SYMPUT creates the macro variable in the current symbol table available
while the DATA step is executing, provided that symbol table is not empty. If it is
empty (contains no local macro variables), usually CALL SYMPUT creates the
variable in the closest nonempty symbol table.
2 However, there are three cases where CALL SYMPUT creates the variable in the
local symbol table, even if that symbol table is empty:
3 Beginning with SAS Version 8, if CALL SYMPUT is used after a PROC SQL,
the variable will be created in a local symbol table.
3 If the macro variable SYSPBUFF is created at macro invocation time, the
variable will be created in the local symbol table.
3 If the executing macro contains a computed %GOTO statement, the variable
will be created in the local symbol table. A computed %GOTO statement is
one that uses a label that contains an & or a % in it. That is, a computed
%GOTO statement contains a macro variable reference or a macro call that
produces a text expression. Here is an example of a computed %GOTO
statement:
%goto &home;
The symbol table that is currently available to a DATA step is the one that exists
when SAS determines that the step is complete. (SAS considers a DATA step to be
complete when it encounters a RUN statement, a semicolon after data lines, or the
beginning of another step).
In simplest terms, if an executing macro contains a computed %GOTO statement, or
if the macro variable SYSPBUFF is created at macro invocation time, but the local
symbol table is empty, CALL SYMPUT behaves as if the local symbol table was not
empty, and creates a local macro variable.
You might find it helpful to use the %PUT statement with the _USER_ option to
determine what symbol table the CALL SYMPUT routine has created the variable in.
%env1(10)
data temp;
y = "&myvar1";
run;
62 Example Using CALL SYMPUT with Complete DATA Step and a Nonempty Local Symbol Table 4 Chapter 5
This message appears because the DATA step is complete within the environment of
ENV1 (that is, the RUN statement is within the macro) and because the local symbol
table of ENV1 is not empty (it contains parameter PARAM1). Therefore, the CALL
SYMPUT routine creates MYVAR1 as a local variable for ENV1, and the value is not
available to the subsequent DATA step, which expects a global macro variable.
To see the scopes, add a %PUT statement with the _USER_ option to the macro, and
a similar statement in open code. Now invoke the macro as before:
%macro env1(param1);
data _null_;
x = ’a token’;
call symput(’myvar1’,x);
run;
%env1(10)
data temp;
y = "&myvar1"; /* ERROR - MYVAR1 is not available in open code. */
run;
When the %PUT _USER_ statements execute, they write the following information to
the SAS log:
** Inside the macro: **
ENV1 MYVAR1 a token
ENV1 PARAM1 10
** In open code: **
The MYVAR1 macro variable is created by CALL SYMPUT in the local ENV1 symbol
table. The %PUT _USER_ statement in open code writes nothing to the SAS log,
because no global macro variables are created.
The following figure shows all of the symbol tables in this example.
Scopes of Macro Variables 4 Example Using CALL SYMPUT with Complete DATA Step and a Nonempty Local Symbol Table 63
Figure 5.9 The Symbol Tables with the CALL SYMPUT Routine Generating a
Complete DATA Step
…
While ENV1 executes
GLOBAL SYSDATE 15AUG97
SYSDAY Friday
…
ENV1 PARAM1 10
MYVAR1 a token
%env2(20)
run;
data temp;
y="&myvar2";
run;
These statements execute without errors. The DATA step is complete only when SAS
encounters the RUN statement (in this case, in open code). Thus, the current scope of
the DATA step is the global scope. CALL SYMPUT creates MYVAR2 as a global macro
variable, and the value is available to the subsequent DATA step.
Again, use the %PUT statement with the _USER_ option to illustrate the scopes:
%macro env2(param2);
data _null_;
x = ’a token’;
call symput(’myvar2’,x);
%env2(20)
run;
data temp;
y="&myvar2";
run;
When the %PUT _USER_ statement within ENV2 executes, it writes the following to
the SAS log:
** Inside the macro: **
ENV2 PARAM2 20
The %PUT _USER_ statement in open code writes the following to the SAS log:
** In open code: **
GLOBAL MYVAR2 a token
Figure 5.10 The Symbol Tables with the CALL SYMPUT Routine Generating an
Incomplete DATA Step
…
While ENV2 executes
GLOBAL SYSDATE 15AUG97
SYSDAY Friday
…
ENV2 PARAM2 20
MYVAR2 a token
66 Example Using CALL SYMPUT with a Complete DATA Step and an Empty Local Symbol Table 4 Chapter 5
%env3
data temp;
y="&myvar3";
run;
In this case, the DATA step is complete and executes within the macro, but the local
symbol table is empty. So, CALL SYMPUT creates MYVAR3 in the closest available
nonempty symbol table—the global symbol table. Both %PUT statements show that
MYVAR3 exists in the global symbol table:
** Inside the macro: **
GLOBAL MYVAR3 a token
** In open code: **
GLOBAL MYVAR3 a token
%env4
Scopes of Macro Variables 4 Example Using CALL SYMPUT with SYSPBUFF and an Empty Local Symbol Table 67
data temp;
y="&myvar4"; /* ERROR - MYVAR4 is not available in open code */
run;
** In open code: **
WARNING: Apparent symbolic reference SYSPBUFF not resolved.
For more information, see “SYSPBUFF Automatic Macro Variable” on page 200.
68
69
CHAPTER
6
Macro Expressions
4*3 A<a
Table 6.1 Macro Language Elements that Evaluate Arithmetic and Logical
Expressions
You can use text expressions to generate partial or complete arithmetic or logical
expressions. The macro processor resolves text expressions before it evaluates the
arithmetic or logical expressions. For example, when you submit the following
statements, the macro processor resolves the macro variables &A, &B, and
&OPERATOR in the %EVAL function, before it evaluates the expression 2 + 5:
%let A=2;
%let B=5;
%let operator=+;
%put The result of &A &operator &B is %eval(&A &operator &B).;
When you submit these statements, the %PUT statement writes the following to the
log:
The result of 2 + 5 is 7.
** 1 exponentiation 2**4
+ 2 positive prefix +(A+B)
* 4 multiplication A*B
/ 4 division A/B
+ 5 addition A+B
- 5 subtraction A-B
= EQ 6 equal A=B
= ^= ~= NE 6 not equal* A NE B
> GT 6 greater than A>B
CAUTION:
Integer expressions that contain exponential, multiplication, or division operators and that
use or compute values outside the range -9,007,199,254,740,992 to
9,007,199,254,740,992 might get inexact results. 4
When you submit these statements, the following messages appear in the log:
The value of a is 3
The value of b is 30
The value of c is 2
The value of I is 1
Notice the result of the last statement. If you perform division on integers that
would ordinarily result in a fraction, integer arithmetic discards the fractional part.
When the macro processor evaluates an integer arithmetic expression that contains a
character operand, it generates an error. Only operands that contain characters that
Macro Expressions 4 Evaluating Floating-Point Operands 73
Because the %EVAL function supports only integer arithmetic, the macro processor
does not convert a value containing a period character to a number, and the operands
are evaluated as character operands. This statement produces the following error
message:
ERROR: A character operand was found in the %EVAL function or %IF
condition where a numeric operand is required. The condition was:
10.0+20.0
These conversion types tailor the value returned by %SYSEVALF so that it can be
used in other macro expressions that require integer or Boolean values.
CAUTION:
Specify a conversion type for the %SYSEVALF function. If you use the %SYSEVALF
function in macro expressions or assign its results to macro variables that are used
in other macro expressions, then errors or unexpected results might occur if the
%SYSEVALF function returns missing or floating-point values. To prevent errors,
specify a conversion type that returns a value compatible with other macro
expressions. See “%SYSEVALF Function” on page 251 for more information about
using conversion types. 4
74 How the Macro Processor Evaluates Logical Expressions 4 Chapter 6
The results show that the operands in the logical expressions were evaluated as
numeric values.
The results show that the %SYSEVALF function evaluated the floating-point and
missing values.
When the macro processor evaluates expressions with character operands, it uses the
sort sequence of the host operating system for the comparison. The comparisons in
these examples work with both EBCDIC and ASCII sort sequences.
A special case of a character operand is an operand that looks numeric but contains a
period character. If you use an operand with a period character in an expression, both
operands are compared as character values. This can lead to unexpected results. So
that you can understand and better anticipate results, look at the following examples.
Invoke the COMPNUM macro with these values:
%compnum(10,2.0)
Because the %IF-THEN statement in the COMPNUM macro uses integer evaluation,
it does not convert the operands with decimal points to numeric values. The operands
are compared as character strings using the host sort sequence, which is the
comparison of characters with smallest-to-largest values. For example, lowercase letters
might have smaller values than uppercase, and uppercase letters might have smaller
values than digits.
CAUTION:
The host sort sequence determines comparison results. If you use a macro definition on
more than one operating system, comparison results might differ because the sort
sequence of one host operating system might differ from the other system. See SORT
in SAS Procedures Guide for more information about host sort sequences. 4
76
77
CHAPTER
7
Macro Quoting
blank ) = LT
; ( | GE
+ AND GT
^ — OR IN
~ * NOT %
, (comma) / EQ &
’ < NE #
“ > LE
Macro quoting functions enable you to clearly indicate to the macro processor how it
is to interpret special characters and mnemonics.
Here is an example, using the simplest macro quoting function, %STR. Suppose you
want to assign a PROC PRINT statement and a RUN statement to the macro variable
PRINT. Here is the erroneous statement:
%let print=proc print; run;; /* undesirable results */
This code is ambiguous. Are the semicolons that follow PRINT and RUN part of the
value of the macro variable PRINT, or does one of them end the %LET statement? If
you do not tell the macro processor what to do, it interprets the semicolon after PRINT
as the end of the %LET statement. So the value of the PRINT macro variable would be
the following:
proc print
The rest of the characters (RUN;;) would be simply the next part of the program.
To avoid the ambiguity and correctly assign the value of PRINT, you must mask the
semicolons with the macro quoting function %STR, as follows:
%let print=%str(proc print; run;);
However, placing the macro quoting function in the macro definition makes the
macro much easier for you to invoke.
Quoted by All
Special Macro Quoting
Character Must Be Masked Functions? Remarks
+-*/<>=^| ~ # to prevent it from being treated yes AND, OR, IN, and
LE LT EQ NE as an operator in the argument NOT need to be
GE GT AND OR of an %EVAL function masked because they
NOT IN are interpreted as
mnemonic operators
by an %EVAL and by
%SYSEVALF.
Quoted by All
Special Macro Quoting
Character Must Be Masked Functions? Remarks
The macro facility allows you as much flexibility as possible in designing your
macros. You need to mask a special character with a macro quoting function only when
the macro processor would otherwise interpret the special character as part of the
macro language rather than as text. For example, in this statement you must use a
macro quoting function to mask the first two semicolons to make them part of the text:
%let p=%str(proc print; run;);
However, in the macro PR, shown here, you do not need to use a macro quoting
function to mask the semicolons after PRINT and RUN:
Macro Quoting 4 Using %STR and %NRSTR Functions 83
%macro pr(start);
%if &start=yes %then
%do;
%put proc print requested;
proc print;
run;
%end;
%mend pr;
Because the macro processor does not expect a semicolon within the %DO group, the
semicolons after PRINT and RUN are not ambiguous, and they are interpreted as text.
Although it is not possible to give a series of rules that cover every situation, the
following sections describe how to use each macro quoting function. Table 7.4 on page
93 provides a summary of the various characters that might need masking and of which
macro quoting function is useful in each situation.
Note: You can also perform the inverse of a macro quoting function — that is,
remove the tokenization provided by macro quoting functions. For an example of when
the %UNQUOTE function is useful, see “Unquoting Text” on page 93. 4
blank ) = NE
; ( | LE
+ # LT
^ — AND GE
~ * OR GT
, (comma) / NOT
’ < IN
“ > EQ
In addition to these special characters and mnemonics, %NRSTR masks & and %.
Note: If an unmatched single or double quotation mark or an open or close
parenthesis is used with %STR or %NRSTR, these characters must be preceded by a
percent sign (%). 4
84 Using Unmatched Quotation Marks and Parentheses with %STR and %NRSTR 4 Chapter 7
When you use %STR or %NRSTR, the macro processor does not receive these
functions and their arguments when it executes a macro. It receives only the results of
these functions because these functions work when a macro compiles. By the time the
macro executes, the string is already masked by a macro quoting function. Therefore,
%STR and %NRSTR are useful for masking strings that are constants, such as sections
of SAS code. In particular, %NRSTR is a good choice for masking strings that contain %
and & signs. However, these functions are not so useful for masking strings that
contain references to macro variables because it is possible that the macro variable
could resolve to a value not quotable by %STR or %NRSTR. For example, the string
could contain an unmarked, unmatched open parenthesis.
Table 7.2 Examples of Marking Unmatched Quotation Marks and Parentheses with
%STR and %NRSTR
As a more complex example, the macro KEEPIT1 shows how the %STR function
works in a macro definition:
%macro keepit1(size);
%if &size=big %then %put %str(keep city _numeric_;);
%else %put %str(keep city;);
%mend keepit1;
When you use the %STR function in the %IF-%THEN statement, the macro
processor interprets the first semicolon after the word %THEN as text. The second
semicolon ends the %THEN statement, and the %ELSE statement immediately follows
the %THEN statement. Thus, the macro processor compiles the statements as you
intended. However, if you omit the %STR function, the macro processor interprets the
first semicolon after the word %THEN as the end of the %THEN clause and the next
semicolon as constant text. Because only a %THEN clause can precede a %ELSE
clause, the semicolon as constant text causes the macro processor to issue an error
message and not compile the macro.
In the %ELSE statement, the %STR function causes the macro processor to treat the
first semicolon in the statement as text and the second one as the end of the %ELSE
clause. Therefore, the semicolon that ends the KEEP statement is part of the
conditional execution. If you omit the %STR function, the first semicolon ends the
%ELSE clause and the second semicolon is outside the conditional execution. It is
generated as text each time the macro executes. (In this example, the placement of the
semicolon does not affect the SAS code.) Again, using %STR causes the macro
KEEPIT1 to compile as you intended.
Here is an example that uses %STR to mask a string that contains an unmatched
single quotation mark. Note the use of the % sign before the quotation mark:
%let innocent=%str(I didn%’t do it!);
%macro example;
%local myvar;
%let myvar=abc;
%put %nrstr(The string &myvar appears in log output,);
%put instead of the variable value.;
%mend example;
%example
If you did not use the %NRSTR function or if you used %STR, the following
undesired output would appear in the SAS log:
The string abc appears in log output,
instead of the variable value.
The %NRSTR function prevents the & from triggering macro variable resolution.
The %NRSTR function is also useful when the macro definition contains patterns
that the macro processor would ordinarily recognize as macro variable references, as in
the following program:
%macro credits(d=%nrstr(Mary&Stacy&Joan Ltd.));
footnote "Designed by &d";
%mend credits;
Using %NRSTR causes the macro processor to treat &STACY and &JOAN simply as
part of the text in the value of D; the macro processor does not issue warning messages
for unresolvable macro variable references. Suppose you invoke the macro CREDITS
with the default value of D, as follows:
%credits()
If you omit the %NRSTR function, the macro processor attempts to resolve the
references &STACY and &JOAN as part of the resolution of &D in the FOOTNOTE
statement. The macro processor issues these warning messages (assuming the
SERROR system option, described in Chapter 20, “System Options for Macros,” on page
313, is active) because no such macro variables exist:
WARNING: Apparent symbolic reference STACY not resolved.
WARNING: Apparent symbolic reference JOAN not resolved.
Here is a final example of using %NRSTR. Suppose you wanted to have a text string
include the name of a macro function: This is the result of %NRSTR. Here is the
program:
%put This is the result of %nrstr(%nrstr);
You must use %NRSTR to mask the % sign at compilation, so the macro processor
does not try to invoke %NRSTR a second time. If you did not use %NRSTR to mask the
string %nrstr, the macro processor would complain about a missing open parenthesis
for the function.
Macro Quoting 4 Examples Using %BQUOTE 87
Note: This example works if you use %STR, but it is not robust or good
programming practice. Because you cannot guarantee what &STATE is going to resolve
to, you need to use %BQUOTE to mask the resolution of the macro variable at
execution time, not the name of the variable itself at compile time. 4
In the following example, a DATA step creates a character value containing a single
quotation mark and assigns that value to a macro variable. The macro READIT then
uses the %BQUOTE function to enable a %IF condition to accept the unmatched single
quotation mark:
data test;
store="Susan’s Office Supplies";
88 Referring to Already Quoted Variables 4 Chapter 7
call symput(’s’,store);
run;
%macro readit;
%if %bquote(&s) ne %then %put *** valid ***;
%else %put *** null value ***;
%mend readit;
%readit
When you assign the value Susan’s Office Supplies to STORE in the DATA step,
enclosing the character string in double quotation marks enables you to use an
unmatched single quotation mark in the string. SAS stores the value of STORE:
Susan’s Office Supplies
The CALL SYMPUT routine assigns that value (containing an unmatched single
quotation mark) as the value of the macro variable S. If you do not use the %BQUOTE
function when you reference S in the macro READIT, the macro processor issues an
error message for an invalid operand in the %IF condition.
When you submit the code, the following is written to the SAS log:
*** valid ***
Here is the output from the %PUT statement that is written to the SAS log:
*** This coat is John’s ***
The results of the three %LET statements are the same because when you mask text
with a macro quoting function, the macro processor quotes only the items that the
function recognizes. Other text enclosed in the function remains unchanged. Therefore,
the third %LET statement is the minimalist approach to macro quoting. However,
masking large blocks of text with a macro quoting function is harmless and actually
results in code that is much easier to read (such as the first %LET statement).
%SUPERQ Function
Using %SUPERQ
The %SUPERQ function locates the macro variable named in its argument and quotes
the value of that macro variable without permitting any resolution to occur. It masks
all items that might require macro quoting at macro execution. Because %SUPERQ
does not attempt any resolution of its argument, the macro processor does not issue any
warning messages that a macro variable reference or a macro invocation has not been
resolved. Therefore, even when the %NRBQUOTE function enables the program to
work correctly, you can use the %SUPERQ function to eliminate unwanted warning
messages from the SAS log. %SUPERQ takes as its argument either a macro variable
name without an ampersand or a text expression that yields a macro variable name.
%SUPERQ retrieves the value of a macro variable from the macro symbol table and
quotes it immediately, preventing the macro processor from making any attempt to
resolve anything that might occur in the resolved value. For example, if the macro
variable CORPNAME resolves to Smith&Jones, using %SUPERQ prevents the macro
processor from attempting to further resolve &Jones. This %LET statement
successfully assigns the value Smith&Jones to TESTVAR:
%let testvar=%superq(corpname);
%macro a;
%put *** This is a. ***;
%mend a;
%macro test;
%display ask;
%put *** %superq(val) ***; /* Note absence of ampersand */
%mend test;
Suppose you invoke the macro TEST and respond to the prompt as shown:
%test
Enter the following: %a %x
90 Using the %SUPERQ Function to Prevent Warning Messages 4 Chapter 7
It does not invoke the macro A, and it does not issue a warning message that %X was
not resolved. The following two examples compare the %SUPERQ function with other
macro quoting functions.
%macro firms3;
%global code;
%display ask;
%let name=%superq(val);
%if &name ne %then %let code=valid;
%else %let code=invalid;
%put *** &name is &code ***;
%mend firms3;
%firms3
Suppose you invoke the macro FIRMS3 twice and respond with the following
companies:
A&A Autos
Santos&D’Amato
After the macro executes, the following is written to the SAS log:
*** A&A Autos is valid ***
*** Santos&D’Amato is valid ***
instructions. The macros ASK1 and ASK2 show how the macro code becomes simpler as
you change macro quoting functions.
The macro ASK1, below, shows how the macro looks when you use the %BQUOTE
function:
%window ask
#5 @5 ’Describe the problem.’
#6 @5 ’Do not use macro language keywords, macro calls,’
#7 @5 ’or macro variable references.’
#9 @5 ’Enter /// when you are finished.’
#11 @5 val 100 attr=underline;
%macro ask1;
%global myprob;
%local temp;
The macro ASK1 does not include a warning about unmatched quotation marks and
parentheses. You can invoke the macro ASK1 and enter a problem:
%ask1
Try entering:
Why didn’t my macro run when I called it? (It had three
parameters, but I wasn’t using any of them.) It ran after I submitted the next statement.
///
Notice that both the first and second lines of the response contain an unmatched,
unmarked quotation mark and parenthesis. %BQUOTE can handle these characters
during execution.
The macro ASK2, shown here, modifies the macro ASK1 by using the %SUPERQ
function. Now the %WINDOW statement accepts macro language keywords and does
not attempt to resolve macro calls and macro variable references:
%window ask
#5 @5 ’Describe the problem.’
#7 @5 ’Enter /// when you are finished.’
#9 @5 val 100 attr=underline;
%macro ask2;
%global myprob;
%local temp;
%display ask;
%let temp=&temp %superq(val); /* No ampersand */
%end;
%let myprob=&temp
%mend ask2;
92 Summary of Macro Quoting Functions and the Characters They Mask 4 Chapter 7
Try entering:
My macro ADDRESS starts with %MACRO ADDRESS(COMPANY,
CITY);. I called it with %ADDRESS(SMITH-JONES, INC., BOSTON),
but it said I had too many parameters. What happened?
///
Table 7.4 Summary of Special Characters and Macro Quoting Functions By Item
*Unmatched quotation marks and parentheses must be marked with a percent sign (%) when used
with %STR, %NRSTR, %QUOTE, and %NRQUOTE.
Unquoting Text
Example of Unquoting
The following example illustrates using a value twice: once in macro quoted form and
once in unquoted form. Suppose the macro ANALYZE is part of a system that enables
you to compare the output of two statistical models interactively. First, you enter an
operator to specify the relationship you want to test (one result greater than another,
equal to another, and so on). The macro ANALYZE tests the macro quoted value of the
operator to verify that you have entered it correctly, uses the unquoted value to
compare the values indicated, and writes a message. Match the numbers in the
comments to the paragraphs below.
%macro analyze(stat);
data _null_;
set out1;
call symput(’v1’,&stat);
run;
data _null_;
set out2;
call symput(’v2’,&stat);
run;
You mask the value of SYSBUFFR with the %BQUOTE function, which masks
resolved items including unmatched, unmarked quotation marks and parentheses (but
excluding the ampersand and percent sign).
The %IF condition compares the value of the macro variable OP to a string to see
whether the value of OP contains the correct symbols for the operator. If the value
Macro Quoting 4 How Macro Quoting Works 95
contains symbols in the wrong order, the %THEN statement corrects the symbols.
Because a value masked by a macro quoting function remains masked, you do not need
to mask the reference &OP in the left side of the %IF condition.
Because you can see the characters in the right side of the %IF condition and in the
%LET statement when you define the macro, you can use the %STR function to mask
them. Masking them once at compilation is more efficient than masking them at each
execution of ANALYZE.
To use the value of the macro variable OP as the operator in the %IF condition, you
must restore the meaning of the operator with the %UNQUOTE function.
When the macro processor generates the text from the macro variable, the items
masked by macro quoting functions are automatically unquoted, and the previously
masked semicolons work normally when they are passed to the rest of SAS.
In rare cases, masking text with a macro quoting function changes the way the word
scanner tokenizes the text. (The word scanner and tokenization are discussed in
Chapter 2, “SAS Programs and Macro Processing,” on page 11 and Chapter 4, “Macro
Processing,” on page 33.) For example, a single or double quotation mark produced by
resolution within the %BQUOTE function becomes a separate token. The word scanner
does not use it as the boundary of a literal token in the input stack. If generated text
that was once masked by the %BQUOTE function looks correct but SAS does not accept
it, you might need to use the %UNQUOTE function to restore normal tokenization.
%put *&example*;
When this program is submitted, the following appears in the SAS log:
SYMBOLGEN: Macro variable EXAMPLE resolves to 1 + 1 = 3 Today’s
Test and More
SYMBOLGEN: Some characters in the above value which were subject
to macro quoting have been unquoted for printing.
* 1 + 1 = 3 Today’s Test and More *
As you can see, the leading and trailing blanks and special characters were retained
in the variable’s value. While the macro processor was working with the string, the
string actually contained coded characters that were substituted for the “real”
characters. The substitute characters included coded characters to represent the start
and end of the string. The leading and trailing blanks were preserved. Characters were
also substituted for the special characters +, =, and ’, and the mnemonic AND. When the
macro finished processing and the characters were passed to the rest of SAS, the coding
was removed and the real characters were replaced.
“Unquoting Text” on page 93 provides more information about what happens when a
masked string is unquoted. For more information, see “SYMBOLGEN System Option”
on page 339.
values of separate macro variables. The numbers in the comments correspond to the
explanations in the list that follows the macro code.
%macro splitit;
%put What character separates the values?; u
%input;
%let s=%bquote(&sysbuffr); v
%put Enter three values.;
%input;
%local i;
%do i=1 %to 3; w
%global x&i;
%let x&i=%qscan(%superq(sysbuffr),&i,&s); x
%end;
%mend splitit;
%splitit
What character separates the values?
#
Enter three values.
Fischer Books#Smith&Sons#Sarah’s Sweet Shoppe y
1 This question asks you to input a delimiter for the %QSCAN function that does
not appear in the values that you enter.
2 Masking the value of SYSBUFFR with the %BQUOTE function enables you to
choose a quotation mark or parenthesis as a delimiter if necessary.
3 The iterative %DO loop creates a global macro variable for each segment of
SYSBUFFR and assigns it the value of that segment.
4 The %SUPERQ function masks the value of SYSBUFFR in the first argument of
the %QSCAN function. It prevents any resolution of the value of SYSBUFFR.
5 The %QSCAN function returns macro quoted segments of the value of
SYSBUFFR. Thus, the unmatched quotation mark in Sarah’s Sweet Shoppe and
the &name pattern in Smith&Sons do not cause problems.
98
99
CHAPTER
8
Interfaces with the Macro
Facility
Read or Write CALL SYMPUT routine assigns a value produced in a DATA step
to a macro variable.
%macro items;
%global special;
%let special=football;
%mend items;
In the DATA SALES step, the assignment statement for SALEITEM requires the
value of the macro variable SPECIAL at DATA step compilation. CALL EXECUTE does
not produce the value until DATA step execution. Thus, you receive a message about an
unresolved macro variable, and the value assigned to SALEITEM is &special.
In this example, it would be better to eliminate the macro definition (the %LET
macro statement is valid in open code) or move the DATA SALES step into the macro
ITEMS. In either case, CALL EXECUTE is not necessary or useful. Here is one version
of this program that works:
data prices; /* ID for price category and actual price */
input code amount;
datalines;
56 300
99 10000
24 225
;
data sales;
set prices;
length saleitem $ 20;
saleitem="&special";
102 Example of Common Problem with CALL EXECUTE 4 Chapter 8
run;
The %GLOBAL statement isn’t necessary in this version. Because the %LET
statement is executed in open code, it automatically creates a global macro variable.
(See Chapter 5, “Scopes of Macro Variables,” on page 43 for more information about
macro variable scopes.)
In this example, the DATA SALES step still requires the value of SPECIAL during
compilation. The CALL EXECUTE routine is useful in this example because of the
conditional IF statement. But as in the first example, CALL EXECUTE still invokes
the macro ITEMS during DATA step execution — not during compilation. The macro
ITEMS generates a DATA _NULL_ step that executes after the DATA SALES step has
ceased execution. The DATA _NULL_ step creates SPECIAL, and the value of
SPECIAL is available after the _NULL_ step ceases execution, which is much later
than when the value was needed.
This version of the example corrects the problem:
/* This version solves the problem. */
data sales; /* use the value created by the macro in this step */
set prices;
length saleitem $ 20;
saleitem="&special";
run;
This version uses one DATA _NULL_ step to call the macro ITEMS. After that step
ceases execution, the DATA _NULL_ step generated by ITEMS executes and creates the
macro variable SPECIAL. Then the DATA SALES step references the value of
SPECIAL as usual.
Using SAS Language Functions in the DATA Step and Macro Facility
The macro functions %SYSFUNC and %QSYSFUNC can call SAS language functions
and functions written with SAS/TOOLKIT software to generate text in the macro
facility. %SYSFUNC and %QSYSFUNC have one difference: the %QSYSFUNC masks
special characters and mnemonics and %SYSFUNC does not. For more information
about these functions, see “%SYSFUNC and %QSYSFUNC Functions” on page 253.
%SYSFUNC arguments are a single SAS language function and an optional format.
See the following examples:
%sysfunc(date(),worddate.)
%sysfunc(attrn(&dsid,NOBS))
You cannot nest SAS language functions within %SYSFUNC. However, you can nest
%SYSFUNC functions that call SAS language functions, as in the following statement:
104 Interfaces with the SQL Procedure 4 Chapter 8
%sysfunc(compress(%sysfunc(getoption(sasautos)),%str(%)%(%’)))
This example returns the value of the SASAUTOS= system option, using the
COMPRESS function to eliminate opening parentheses, closing parentheses, and single
quotation marks from the result. Note the use of the %STR function and the
unmatched parentheses and quotation marks that are marked with a percent sign (%).
All arguments in SAS language functions within %SYSFUNC must be separated by
commas. You cannot use argument lists preceded by the word OF.
Because %SYSFUNC is a macro function, you do not need to enclose character values
in quotation marks as you do in SAS language functions. For example, the arguments
to the OPEN function are enclosed in quotation marks when the function is used alone
but do not require quotation marks when used within %SYSFUNC.
Here are some examples of the contrast between using a function alone and within
%SYSFUNC:
3 dsid = open("sasuser.houses","i");
3 dsid = open("&mydata","&mode");
3 %let dsid = %sysfunc(open(sasuser.houses,i));
3 %let dsid = %sysfunc(open(&mydata,&mode));
You can use %SYSFUNC and %QSYSFUNC to call all of the DATA step SAS
functions except the ones that are listed in table Table 17.1 on page 254. In the macro
facility, SAS language functions called by %SYSFUNC can return values with a length
up to 32K. However, within the DATA step, return values are limited to the length of a
data set character variable.
The %SYSCALL macro statement enables you to use SAS language CALL routines
with the macro processor, and it is described in Chapter 19, “Macro Statements,” on
page 267.
INTO Clause
SQL provides the INTO clause in the SELECT statement for creating SAS macro
variables. You can create multiple macro variables with a single INTO clause. The
INTO clause follows the same scoping rules as the %LET statement. See Chapter 3,
“Macro Variables,” on page 19 for a summary of how macro variables are created. For
Interfaces with the Macro Facility 4 Using an SCL Program 105
further details and examples relating to the INTO clause, see “INTO Clause” on page
263.
SQLRC contains the return code from an SQL statement. For return codes,
see SAS SQL documentation.
Note: Macro modules can be more complicated to maintain than a program segment
because of the symbols and macro quoting that might be required. Also, implementing
modules as macros does not reduce the size of the compiled SCL code. Program
statements generated by a macro are added to the compiled code as if those lines
existed at that location in the program. 4
106 How Macro References Are Resolved by SCL 4 Chapter 8
Note: It is inefficient to use SYMGETN to retrieve values that are not assigned with
SYMPUTN. It is also inefficient to use & to reference a macro variable that was created
with CALL SYMPUTN. Instead, use SYMGETN. In addition, it is inefficient to use
SYMGETN and CALL SYMPUTN with values that are not numeric. 4
For details about these elements, see Chapter 15, “DATA Step Call Routines for
Macros,” on page 209 and Chapter 16, “DATA Step Functions for Macros,” on page 219.
MAIN:
/* Run the macro CKAMOUNT to validate */
/* the value of BORROWED. */
108 SAS/CONNECT Interfaces 4 Chapter 8
%ckamount(borrowed)
/* Run the macro CKRATE to validate */
/* the value of INTEREST. */
%ckrate(interest)
/* Calculate payment. */
payment=borrowed*interest;
return;
TERM:
return;
SAS/CONNECT Interfaces
%checkit
To determine the success or failure of a step executed on a remote host, use the
%SYSRPUT macro statement to check the value of the automatic macro variable
SYSERR.
For more details and syntax of the %SYSRPUT statement, see “%SYSRPUT
Statement” on page 304.
110
111
CHAPTER
9
Storing and Reusing Macros
macros, consider using stored compiled macros. If you are letting a group of users share
macros, consider using the autocall facility.
Note: For greater efficiency, store only name-style macros if you use the stored
compiled macro facility. Storing statement-style and command-style macros is less
efficient. 4
It is good practice, when you are programming stored compiled macros or autocall
macros, to use the %LOCAL statement to define macro variables that will be used only
inside that macro. Otherwise, values of macro variables defined outside of the current
macro might be altered. See the discussion of macro variable scopes in Chapter 5,
“Scopes of Macro Variables,” on page 43.
In general, macro and variable names in the SAS macro facility are case insensitive
and are internally changed to uppercase. The values are case sensitive in the SAS
macro facility and are not changed.
When calling an autocall macro or a stored compiled macro, the macro name is
changed to uppercase and passed to the catalog routines to open a member of that
name. The catalog routines are host dependent and use the default casing for the
particular host when searching for a member. Macro catalog entries should be made
using the default casing for the host in question. Here are the host defaults:
3 UNIX default is lowercase
3 z/OS default is uppercase
3 Windows default is lowercase
Note: In UNIX, the member name that contains the autocall macro must be all
lowercase letters. 4
3 Store the source code for each macro in a SOURCE entry in a SAS catalog.
(SOURCE is the entry type.) The name of the SOURCE entry must be the same
as the macro name.
4 Set the SASAUTOS system option to specify the fileref as an autocall library. For
more information, see “SASAUTOS= System Option” on page 337.
understand how the macro processor locates the called macro. When you call a macro,
the macro processor does the following tasks:
1 searches for a session compiled macro definition
2 searches for a stored compiled macro definition in the library specified by the
SASMSTORE option, if the MSTORED option is set
3 searches for a member in the autocall libraries specified by the SASAUTOS option
in the order in which they are specified, if the MAUTOSOURCE option is set
4 searches the SASHELP library for SAS production stored compiled macro
definitions
When SAS finds a library member in an autocall library with that macro name, the
macro processor does the following:
1 compiles all of the source statements in that member, including any and all macro
definitions, and stores the result in the session catalog.
2 executes any open code (macro statements or SAS source statements not within
any macro definition) in that member.
3 executes the macro with the name you invoked
Note: If an autocall library member contains more than one macro, the macro
processor compiles all of the macros but executes only the macro with the name you
invoked 4
Any open code statements in the same autocall library member as a macro execute
only the first time you invoke the macro. When you invoke the macro later in the same
session, the compiled macro is executed, which contains only the compiled macro
definition and not the other code the autocall macro source file might have contained.
It is not advisable to change SASAUTOS during a SAS session. If you change the
SASAUTOS= specification in an ongoing SAS session, SAS will store the new
specification only until you invoke an uncompiled autocall macro and then will close all
opened libraries and open all the newly specified libraries that it can open.
For information about debugging autocall macros, see Chapter 10, “Macro Facility
Error Messages and Debugging,” on page 117.
CAUTION:
Save your macro source code. You cannot recreate the source statements from a
compiled macro. Therefore, you must save the original macro source statements
if you want to change the macro. For all stored compiled macros, you should
document your macro source code well. You can save the source code with the
compiled code using the SOURCE option on the %MACRO statement or you can
save the source in a separate file. If you save the source in a separate file, it is
recommended that you save the source code in the same catalog as the compiled
macro. In this example, save it to the following library:
mylib.sasmacro.myfiles.source
4
Note: To retrieve the source of a compiled stored macro, see “%COPY
Statement” on page 271. 4
2 Set the MSTORED system option to enable the stored compiled macro facility. For
more information, see “MSTORED System Option” on page 334.
3 Assign the SASMSTORE option to specify the SAS library that contains or will
contain the catalog of stored compiled SAS macros. For example, to store or call
compiled macros in a SAS catalog named MYLIB.SASMACR, submit these
statements:
libname mylib ’SAS-data-library’;
options mstored sasmstore=mylib;
library supplied by SAS can be compiled and stored in a SAS catalog named SASMACR
by using the autocall macro COMPSTOR that is supplied by SAS. For more
information, see “%COMPSTOR Autocall Macro” on page 170.
You can display the entries in a catalog containing compiled macros. For more
information, see Chapter 10, “Macro Facility Error Messages and Debugging,” on page
117.
117
CHAPTER
10
Macro Facility Error Messages
and Debugging
it makes sense to develop your macro application in a way that minimizes the errors
and that makes the errors that do occur as easy as possible to find and fix. The first
step is to understand what type of errors can occur and when they manifest themselves.
Then, develop your macros using a modular, layered approach. Finally, use some
built-in tools such as system options, automatic macro variables, and the %PUT
statement to diagnose errors.
Note: To receive certain important warning messages about unresolved macro
names and macro variables, be sure the “SERROR System Option” on page 338 and
“MERROR System Option” on page 319 are in effect. See Chapter 20, “System Options
for Macros,” on page 313 for more information about these system options. 4
Encountering Errors
When the word scanner processes a program and finds a token in the form of & or %,
it triggers the macro processor to examine the name token that follows the & or %.
Depending on the token, the macro processor initiates one of the following activities:
3 macro variable resolution
3 macro open code processing
3 macro compilation
3 macro execution
An error can occur during any one of these stages. For example, if you misspell a
macro function name or omit a necessary semicolon, that is a syntax error during
compilation. Syntax errors occur when program statements do not conform to the rules
of the macro language. Or, you might refer to a variable out of scope, causing a macro
variable resolution error. Execution errors (also called semantic errors) are usually errors
in program logic. They can occur, for example, when the text generated by the macro
has faulty logic (statements not executed in the right order or in the way you expect).
Of course, even if your macro code is perfect, that does not guarantee that you will
not encounter errors caused by plain SAS code. For example, you might encounter a
libref that is not defined, a syntax error in open code (that is, outside of a macro
definition), or a typo in the code your macro generates. Typically, error messages with
numbers are plain SAS code error messages. Error messages generated by the macro
processor do not have numbers.
3 macro variable references begin with & and macro statements begin with %.
3 macro variables created by CALL SYMPUT are not referenced in the same DATA
step in which they are created.
3 statements that execute immediately (such as %LET) are not part of conditional
DATA step logic.
3 single quotation marks are not used around macro variable references (such as in
TITLE or FILENAME statements). When used in quoted strings, macro variable
references resolve only in strings marked with double quotation marks.
3 macro variable values do not contain any keywords or characters that could be
interpreted as mathematical operators. (If they do contain such characters, use
the appropriate macro quoting function.)
3 macro variables, %GOTO labels, and macro names do not conflict with reserved
SAS and host environment keywords.
SAS windowing environment 3 Syntax error in %MEND The %MEND statement is not
session stops responding after statement recognized and all text is
you submit a macro definition. 3 Missing semicolon, becoming part of the macro
You type and submit code but parenthesis, or quotation definition.
nothing happens. mark
3 Missing %MEND
statement
3 Unclosed comment
SAS windowing environment An error in invocation, such as The macro facility is waiting
session stops responding after forgetting to provide one or for you to finish the invocation.
you call a macro. more parameters, or forgetting
to use parentheses when
invoking a macro that is
defined with parameters.
The macro does not compile A syntax error exists Only syntactically correct
when you submit it. somewhere in the macro macros are compiled.
definition.
120 Solving Common Macro Problems 4 Chapter 10
A %MACRO statement 3 The MACRO system For the macro facility to work,
generates “invalid statement” option is turned off. the MACRO system option
error. 3 A syntax error exists must be on. Edit your SAS
somewhere in the macro configuration file accordingly.
definition.
The following table lists some common macro error and warning messages. For each
message, some probable causes are listed, and pointers to more information are
provided.
Macro Facility Error Messages and Debugging 4 Solving Macro Variable Resolution Problems 121
The unresolved token is transferred to the input stack for use by other parts of SAS.
Note: You receive the WARNING only if the SERROR system option is on. 4
To solve these problems, check that you have spelled the macro variable name right
and that you are referencing it in an appropriate scope.
When a macro variable resolves but does not resolve to the correct value, you can
check several things. First, if the variable is a result of a calculation, ensure that the
correct values were passed into the calculation. And, ensure that you have not
inadvertently changed the value of a global variable. (See “Solving Problems with
Macro Variable Scope” on page 122 for more details about variable scope problems.)
Another common problem is adding text to the end of a macro variable but forgetting
to add a delimiter that shows where the macro variable name ends and the added text
begins. For example, suppose you want to write a TITLE statement with a reference to
WEEK1, WEEK2, and so on. You set a macro variable equal to the first part of the
string and supply the week’s number in the TITLE statement:
%let wk=week;
When these statements compile, the macro processor looks for a macro variable
named WK1, not WK. To fix the problem, add a period (the macro delimiter) between
the end of the macro variable name and the added text, as in the following statements:
%let wk=week;
CAUTION:
Do not use AF, DMS, or SYS as prefixes with macro variable names. The letters AF,
DMS, and SYS are frequently used by SAS as prefixes for macro variables created by
SAS. SAS does not prevent you from using AF, DMS, or SYS as a prefix for macro
variable names. However, using these strings as prefixes might create a conflict
between the names you specify and the name of a SAS created macro variable
(including automatic macro variables in later SAS releases).
If a name conflict occurs, SAS might not issue a warning or error message,
depending on the details of the conflict. Therefore, the best practice is to avoid using
the strings AF, DMS, or SYS as the beginning characters of macro names and macro
variable names. 4
%totinv(price)
%put **** TOTAL=&macvar ****; /* ERROR */
When you submit these statements, the %PUT statement in the macro TOTINV
writes the value of TOTAL to the log, but the %PUT statement that follows the macro
call generates a warning message and writes the text TOTAL=&macvar to the log, as
follows:
TOTAL= $1,240,800.00
WARNING: Apparent symbolic reference MACVAR not resolved.
**** TOTAL=&macvar ****
The second %PUT statement fails because the macro variable MACVAR is local to the
TOTINV macro. To correct the error, you must use a %GLOBAL statement to declare
the macro variable MACVAR.
Another common mistake that occurs with macro variables concerns overlapping
macro variable names. If, within a macro definition, you refer to a macro variable with
the same name as a global macro variable, you affect the global variable, which might
not be what you intended. Either give your macro variables distinct names or use a
%LOCAL statement to specifically define the variables in a local scope. See “Forcing a
Macro Variable to Be Local” on page 56 for an example of this technique.
When the macro processor encounters the %PUT statement within the %LET
statement, it generates this error message:
ERROR: Open code statement recursion detected.
Open code recursion errors usually occur because the macro processor is not reading
your macro statements as you intended. Careful proofreading can usually solve open
code recursion errors, because this type of error is mostly the result of typos in your
code, not errors in execution logic.
To recover from an open code recursion error, first try submitting a single semicolon.
If that does not work, try submitting the following string:
*’; *"; *); */; %mend; run;
Continue submitting this string until the following message appears in the SAS log:
ERROR: No matching %MACRO statement for this %MEND statement.
If the above method does not work, close your SAS session and restart SAS. Of
course, closing and restarting SAS causes you to lose any unsaved data, so be sure to
save often while you are developing your macros, and proofread them carefully before
you submit them.
124 Solving Problems with Macro Functions 4 Chapter 10
%test
When the erroneous program is submitted, the following appears in the SAS log:
WARNING: Apparent invocation of macro SUBSRT not resolved.
The error messages clearly point to the function name, which is misspelled.
This error could be caused by the misspelling of the name of a macro or a macro
function, or it could be caused by an error in a macro definition that caused the macro
to be compiled as a dummy macro. A dummy macro is a macro that the macro
processor partially compiles but does not store.
Note: You receive this warning only if the MERROR system option is on. 4
If you recognize that SAS is not processing submitted statements and you are not
sure how to recover, submit %MEND statements one at a time until the following
message appears in the SAS log:
ERROR: No matching %MACRO statement for this %MEND statement.
Then recall the original erroneous macro definition, correct the error in the %MEND
statement, and submit the definition for compilation.
There are other syntax errors that can create similar problems, such as unmatched
quotation marks and unclosed parentheses. Often, one of these syntax errors leads to
others. Consider the following example:
%macro rooms;
/* other macro statements */
%put **** %str(John’s office) ****; /* ERROR */
%mend rooms;
%rooms
When you submit these statements, the macro processor begins to compile the macro
definition ROOMS. However, the single quotation mark in the %PUT statement is not
marked by a percent sign. Therefore, during compilation the macro processor interprets
the single quotation mark as the beginning of a literal token. It does not recognize the
closing parenthesis, the semicolon at the end of the statement, or the %MEND
statement at the end of the macro definition.
To recover from this error, you must submit the following:
’);
%mend;
If the above methods do not work, try submitting the following string:
*’; *"; *); */; %mend; run;
Continue submitting this string until the following message appears in the SAS log:
ERROR: No matching %MACRO statement for this %MEND statement.
Obviously, it is easier to catch these errors before they occur. You can avoid subtle
syntax errors by carefully checking your macros before submitting them for compilation.
See “Developing Bug-free Macros” on page 118 for a syntax checklist.
The key to preventing timing errors is to understand how the macro processor works.
In simplest terms, the two major steps are compilation and execution. The compilation
step resolves all macro code to compiled code. Then the code is executed. Most timing
errors occur because the user expects something to happen during compilation that
doesn’t actually occur until execution or, conversely, expects something to happen later
but is actually executed right away.
Here are two examples to help you understand why the timing of compilation and
execution can be important.
However, the results differ from the user’s expectations. The %LET statement is
executed immediately, while the DATA step is being compiled–before the data set is
read. Therefore, the %LET statement executes regardless of the results of the IF
condition. Even if the data set contains no observations where AGE is greater than 65,
SR_CIT is always yes.
The solution is to set the macro variable’s value by a means that is controlled by the
IF logic and does not execute unless the IF statement is true. In this case, the user
should use CALL SYMPUT, as in the following correct program:
%let sr_cit = no;
data senior;
set census;
if age > 65 then
do;
call symput ("sr_cit","yes");
output;
end;
run;
When this program is submitted, the value of SR_CIT is set to yes only if an
observation is found with AGE greater than 65. Note that the variable was initialized
to no. It is generally a good idea to initialize your macro variables.
If AGE was 67, you’d expect to see a log message like the following:
This data set contains data about a person
who is 67 years old.
However, no matter what AGE is, the following message is sent to the log:
This data set contains data about a person
who is 0 years old.
When the DATA step is being compiled, &SR_AGE is sent to the macro facility for
resolution, and the result is passed back before the DATA step executes. To achieve the
desired result, submit this corrected program instead:
%let sr_age = 0;
data senior;
set census;
if age > 65 then
do;
call symput("sr_age",age);
stop;
end;
run;
data _null_;
put "This data set contains data about a person";
put "who is &sr_age years old.";
run;
Note: Use double quotation marks in statements like PUT, because macro variables
do not resolve when enclosed in single quotation marks. 4
When these statements are submitted, the following lines are written to the SAS log:
WARNING: Apparent symbolic reference MACVAR not resolved.
As this DATA step is tokenized and compiled, the & causes the word scanner to
trigger the macro processor, which looks for a MACVAR entry in a symbol table.
128 Solving Problems with the Autocall Facility 4 Chapter 10
Because such an entry does not exist, the macro processor generates the warning
message. Because the tokens remain on the input stack, they are transferred to the
DATA step compiler. During DATA step execution, the CALL SYMPUT statement
creates the macro variable MACVAR and assigns a value to it. However, the text
&macvar in the PUT statement occurs because the text has already been processed
while the macro was being compiled. If you were to resubmit these statements and the
macro would appear to work correctly, but the value of MACVAR would reflect the value
set during the previous execution of the DATA step. This value can be misleading.
Remember that in general, the % and & trigger immediate execution or resolution
during the compilation stage of the rest of your SAS code.
For more examples and explanation of how CALL SYMPUT creates macro variables,
see “Special Cases of Scope with the CALL SYMPUT Routine” on page 60.
If the error is in the autocall macro definition, SAS generates a message like the
following:
NOTE: Line generated by the invoked macro "MACRO-NAME".
4 If the library specifications are correct, check the contents of each directory to
verify that the autocall library member exists and that it contains a macro
definition of the same name. If the member is missing, add it.
5 Set the MRECALL option with a new OPTIONS statement or the OPTIONS
window. By default, the macro processor searches only once for an undefined
macro. Setting this option causes the macro processor to search the autocall
libraries for the specification again.
6 Call the autocall macro, which includes and submits the autocall macro source.
7 Reset the NOMRECALL option.
The macro processor then compiles the corrected version, replacing the incorrect
compiled macro. The corrected, compiled macro is now ready to execute at the next
invocation.
To correct an autocall macro definition in an interactive line mode session, do the
following:
1 Edit the autocall macro source with a text editor.
2 Correct the error.
3 Use a %INCLUDE statement to bring the corrected library member into your SAS
session.
The macro processor then compiles the corrected version, replacing the incorrect
compiled macro. The corrected, compiled macro is now ready to execute at the next
invocation.
130 File and Macro Names for Autocall 4 Chapter 10
You can also use PROC CATALOG to display information about autocall library
macros stored in SOURCE entries in a catalog. You cannot use PROC CATALOG or the
Explorer window to copy, delete, or rename stored compiled macros.
You can use the MCOMPILENOTE system option to issue a note to the log upon the
completion of the compilation of any macro. For more information, see
“MCOMPILENOTE System Option” on page 317.
In SAS 6.11 and later, you can use PROC SQL to retrieve information about all
compiled macros. For example, submitting these statements produces output similar to
the following output:
proc sql;
select * from dictionary.catalogs
where memname in (’SASMACR’);
Output 10.1 Output from PROC SQL Program for Viewing Compiled Macros
To display information about compiled macros when you invoke them, use the SAS
system options MLOGIC, MPRINT, and SYMBOLGEN. When you specify the SAS
system option MLOGIC, the libref and date of compilation of a stored compiled macro
are written to the log along with the usual informaiton displayed during macro
execution.
In addition, you can use the %EVAL function to specify an expression evaluation.
The most common errors that occur while evaluating expressions are the presence of
character operands where numeric operands are required or ambiguity about whether a
token is a numeric operator or a character value. Chapter 6, “Macro Expressions,” on
page 69 discusses these and other macro expression errors.
Quite often, an error occurs when a special character or a keyword appears in a
character string. Consider the following program:
%macro conjunct(word= );
%if &word = and or &word = but or &word = or %then /* ERROR */
%do %put *** &word is a conjunction. ***;
%else
%do %put *** &word is not a conjunction. ***;
%mend conjunct;
In the %IF statement, the values of WORD being tested are ambiguous — they could
also be interpreted as the numeric operators AND and OR. Therefore, SAS generates
the following error messages in the log:
ERROR: A character operand was found in the %EVAL function or %IF
condition where a numeric operand is required. The condition
was:word = and or &word = but or &word = or
ERROR: The macro will stop executing.
To fix this problem, use the quoting functions %BQUOTE and %STR, as in the
following corrected program:
%macro conjunct(word= );
%if %bquote(&word) = %str(and) or %bquote(&word) = but or
%bquote(&word) = %str(or) %then
%do %put *** &word is a conjunction. ***;
%else
%do %put *** &word is not a conjunction. ***;
%mend conjunct;
In the corrected program, the %BQUOTE function quotes the result of the macro
variable resolution (in case the user passes in a word containing an unmatched
132 Debugging Techniques 4 Chapter 10
quotation mark or some other odd value), and the %STR function quotes the
comparison values AND and OR at compile time, so they are not ambiguous. You do not
need to use %STR on the value BUT, because it is not ambiguous (not part of the SAS
or macro languages). See Chapter 7, “Macro Quoting,” on page 77 for more information
about using macro quoting functions.
Debugging Techniques
%macro first(exp);
%if (%second(&exp) ge 0) %then
%put **** result >= 0 ****;
%else
%put **** result < 0 ****;
%mend first;
options mlogic;
%first(1+2)
Macro Facility Error Messages and Debugging 4 Examining the Generated SAS Statements with MPRINT 133
Submitting this example with option MLOGIC shows when each macro starts
execution, the values of passed parameters, and the result of the expression evaluation.
MLOGIC(FIRST): Beginning execution.
MLOGIC(FIRST): Parameter EXP has value 1+2
MLOGIC(SECOND): Beginning execution.
MLOGIC(SECOND): Parameter PARAM has value 1+2
MLOGIC(SECOND): %LET (variable name is A)
MLOGIC(SECOND): Ending execution.
MLOGIC(FIRST): %IF condition (%second(&exp) ge 0) is TRUE
MLOGIC(FIRST): %PUT **** result >= 0 ****
MLOGIC(FIRST): Ending execution.
%macro first(exp);
data _null_;
var=%second(&exp);
put var=;
run;
%mend first;
options mprint;
%first(1+2)
When you submit these statements with option MPRINT, these lines are written to
the SAS log:
MPRINT(FIRST): DATA _NULL_;
MPRINT(FIRST): VAR=
MPRINT(SECOND): 3
MPRINT(FIRST): ;
MPRINT(FIRST): PUT VAR=;
MPRINT(FIRST): RUN;
VAR=3
134 Nesting Information Generated by MPRINTNEST 4 Chapter 10
The MPRINT option shows you the generated text and identifies the macro that
generated it.
The external file created by the MPRINT system option remains open until the SAS
session terminates. The MPRINT text generated by the macro facility is written to the
log during the SAS session and to the external file when the session ends. The text
consists of program statements generated during macro execution with macro variable
references and macro expressions resolved. Only statements generated by the macro
are stored in the external file. Any program statements outside the macro are not
written to the external file. Each statement begins on a new line with one space
separating words. The text is stored in the external file without the
MPRINT(macroname): prefix, which is displayed in the log.
If MPRINT is not assigned as a fileref or if the file cannot be accessed, warnings are
written to the log and MFILE is turned off. To use the feature again, you must specify
MFILE again.
By default, the MPRINT and MFILE options are off.
The following example uses the MPRINT and MFILE options to store generated text
in the external file named TEMPOUT:
options mprint mfile;
filename mprint ’TEMPOUT’;
%macro temp;
data one;
%do i=1 %to 3;
x&i=&i;
%end;
run;
%mend temp;
%temp
Macro Facility Error Messages and Debugging 4 Examining Macro Variable Resolution with SYMBOLGEN 135
The macro facility writes the following lines to the SAS log and creates the external
file named TEMPOUT:
MPRINT(TEMP): DATA ONE;
NOTE: The macro generated output from MPRINT will also be written
to external file ’/u/local/abcdef/TEMPOUT’ while OPTIONS
MPRINT and MFILE are set.
MPRINT(TEMP): X1=1;
MPRINT(TEMP): X2=2;
MPRINT(TEMP): X3=3;
MPRINT(TEMP): RUN;
Note: Using MPRINT to write code to an external file is a debugging tool only. It
should not be used to create SAS code files for purposes other than debugging. 4
%let a1=dog;
%let b2=cat;
%let b=1;
%let c=2;
%let d=a;
%let e=b;
%put **** &&&d&b ****;
%put **** &&&e&c ****;
Reading the log provided by the SYMBOLGEN option is easier than examining the
program statements to trace the indirect resolution. Notice that the SYMBOLGEN
option traces each step of the macro variable resolution by the macro processor. When
the resolution is complete, the %PUT statement writes the value to the SAS log.
When you use SYMBOLGEN to trace the values of macro variables that have been
masked with a macro quoting function, you might see an additional message about the
quoting being “stripped for printing.” For example, suppose you submit the following
statements, with SYMBOLGEN set to on:
%let nickname = %bquote(My name’s O’Malley, but I’m called Bruce);
%put *** &nickname ***;
The SAS log contains the following after these statements have executed:
SYMBOLGEN: Macro variable NICKNAME resolves to
My name’s O’Malley, but I’m called Bruce
SYMBOLGEN: Some characters in the above value which were
subject to macro quoting have been
unquoted for printing.
*** My name’s O’Malley, but I’m called Bruce ***
Table 10.3 Example %PUT Statements That Are Useful when Debugging Macros
Situation Example
As you recall, macro variables are stored in symbol tables. There is a global symbol
table, which contains global macro variables, and a local symbol table, which contains
local macro variables. During the debugging process, you might find it helpful on
occasion to print these tables to examine the scope and values of a group of macro
variables. To do so, use the %PUT statement with one of the following options:
_ALL_ describes all currently defined macro variables, regardless of scope.
User-generated global and local variables as well as automatic
macro variables are included.
_AUTOMATIC_ describes all automatic macro variables. The scope is listed as
AUTOMATIC. All automatic macro variables are global except
SYSPBUFF.
Macro Facility Error Messages and Debugging 4 Using the %PUT Statement to Track Problems 137
_GLOBAL_ describes all global macro variables that were not created by the
macro processor. The scope is listed as GLOBAL. Automatic macro
variables are not listed.
_LOCAL_ describes user-generated local macro variables defined within the
currently executing macro. The scope is listed as the name of the
macro in which the macro variable is defined.
_USER_ describes all user-generated macro variables, regardless of scope.
For global macro variables, the scope is GLOBAL; for local macro
variables, the scope is the name of the macro.
The following example uses the %PUT statement with the argument _USER_ to
examine the global and local variables available to the macro TOTINV. Notice the use
of the user-generated macro variable TRACE to control when the %PUT statement
writes values to the log.
%macro totinv(var);
%global macvar;
data inv;
retain total 0;
set sasuser.houses end=final;
total=total+&var;
if final then call symput("macvar",put(total,dollar14.2));
run;
%let trace=ON;
%totinv(price)
%put *** TOTAL=&macvar ***;
When you submit these statements, the first %PUT statement in the macro TOTINV
writes the message about tracing being on and then writes the scope and value of all
user generated macro variables to the SAS log.
*** Tracing macro scopes. ***
TOTINV VAR price
GLOBAL TRACE ON
GLOBAL MACVAR $1,240,800.00
*** TOTAL= $1,240,800.00 ***
See Chapter 5, “Scopes of Macro Variables,” on page 43 for a more detailed discussion
of macro variable scopes.
138
139
CHAPTER
11
Writing Efficient and Portable
Macros
Usually, efficiency issues are discussed in terms of CPU cycles, elapsed time, I/O hits,
memory usage, disk storage, and so on. This section does not give benchmarks in these
terms because of all the variables involved. A program that runs only once needs
different tuning than a program that runs hundreds of times. An application running
on a mainframe has different hardware parameters than an application developed on a
desktop PC. You must keep efficiency in perspective with your environment.
There are different approaches to efficiency, depending on what resources you want
to conserve. Are CPU cycles more critical than I/O hits? Do you have lots of memory
but no disk space? Taking stock of your situation before deciding how to tune your
programs is a good idea.
The area of efficiency most affected by the SAS macro facility is human efficiency —
how much time is required to both develop and maintain a program. Autocall macros
are particularly important in this area because the autocall facility provides code
reusability. Once you develop a macro that performs a task, you can save it and use it
not only in the application you developed it for, but also in future applications without
any further work. A library of reusable, immediately callable macros is a boon to any
application development team.
The Stored Compiled Macro Facility (described in Chapter 9, “Storing and Reusing
Macros,” on page 111) might reduce execution time by enabling previously compiled
macros to be accessed during different SAS jobs and sessions. But it is a tool that is
efficient only for production applications, not during application development. So the
efficiency techniques you choose depend not only on your hardware and personnel
situation, but also on the stage you have reached in your application development
process.
Also, remember that incorporating macro code into a SAS application does not
automatically make the application more efficient. When designing a SAS application,
concentrate on making the basic SAS code that macros generate more efficient. There
are many sources for information about efficient SAS code, including SAS Programming
Tips: A Guide to Efficient SAS Processing.
%stats1(steel,2002)
%stats1(beef,2000)
%stats1(fiberglass,2001)
Each time the macro STATS1 is called, the macro processor generates the definition
of the macro TITLE as text, recognizes a macro definition, and compiles the macro
TITLE. In this case, STATS1 was called three times, which means the TITLE macro was
compiled three times. With only a few statements, this task takes only micro-seconds;
but in large macros with hundreds of statements, the wasted time could be significant.
The values of PRODUCT and YEAR are available to TITLE because its call is within
the definition of STATS1; therefore, it is unnecessary to nest the definition of TITLE to
make values available to TITLE’s scope. Nesting definitions are also unnecessary
because no values in the definition of the TITLE statement are dependent on values
that change during the execution of STATS1. (Even if the definition of the TITLE
statement depended on such values, you could use a global macro variable to effect the
changes, rather than nest the definition.)
142 Assign Function Results to Macro Variables 4 Chapter 11
%macro title;
title "Statistics for &product in &year";
%if &year>1929 and &year<1935 %then
%do;
title2 "Some Data Might Be Missing";
%end;
%mend title;
%stats2(cotton,1999)
%stats2(brick,2002)
%stats2(lamb,2001)
Here, because the definition of the macro TITLE is outside the definition of the
macro STATS2, TITLE is compiled only once, even though STATS2 is called three
times. Again, the values of PRODUCT and YEAR are available to TITLE because its
call is within the definition of STATS2.
Note: Another reason to define macros separately is because it makes them easier to
maintain, each in a separate file. 4
A more efficient method would be to evaluate the length of THETEXT once and
assign that value to another macro variable. Then, use that variable in the %DO
%WHILE statement, as in the following program:
/* MORE EFFICIENT MACRO */
%macro test2(thetext);
%let x=1;
Writing Efficient and Portable Macros 4 Use the Stored Compiled Macro Facility 143
%let length=%length(&thetext);
%do %while (&x > &length);
.
.
.
%end;
%mend test2;
As another example, suppose you want to use the %SUBSTR function to pull the
year out of the value of SYSDATE. Instead of using %SUBSTR repeatedly in your code,
assign the value of the %SUBSTR(&SYSDATE, 6) to a macro variable, then use that
variable whenever you need the year.
Note: If you do not use autocall macros, use the NOMAUTOSOURCE system option.
If you do not use stored compiled macros, use the NOMSTORED system option. 4
CAUTION:
Save the source code. Because you cannot re-create the source code for a macro from
the compiled code, you should keep a copy of the source code in a safe place, in case
the compiled code becomes corrupted for some reason. Having a copy of the source is
also necessary if you intend to modify the macro at a later time. 4
See Chapter 9, “Storing and Reusing Macros,” on page 111 for more information
about the Stored Compiled Macro Facility.
Note: The compiled code generated by the Stored Compiled Macro Facility is not
portable. If you need to transfer macros to another host environment, you must move
the source code and recompile and store it on the new host. 4
144 Centrally Store Autocall Macros 4 Chapter 11
First, the macro CHECK generates the program statements contained in the
parameter VAL (a macro variable that is defined in the %MACRO statement and
passed in from the macro call). Then, the %INDEX function searches the value of VAL
for the characters run;. (The %STR function causes the semicolon to be treated as
text.) If the characters are not present, the %INDEX function returns 0. The %IF
condition becomes true, and the macro processor generates a RUN statement.
To use the macro CHECK with the variable PGM, assign the parameter VAL the
value of PGM in the macro call:
%check(&pgm)
proc print;
var flightid totmiles;
run;
The macro CHECK works properly. However, the macro processor assigns the value
of PGM as the value of VAL during the execution of CHECK. Thus, the macro processor
must store two long values (the value of PGM and the value of VAL) while CHECK is
executing.
To make the program more efficient, write the macro so that it uses the value of
PGM rather than copying the value into VAL:
%macro check2(val); /* more efficient macro */&&&val
%if %index(&&&val,%str(run;))=0 %then %str(run;);
%mend check2;
%check2(pgm)
The macro CHECK2 produces the same result as the macro CHECK:
data flights;
set schedule;
totmiles=sum(of miles1-miles20);
proc print;
var flightid totmiles;
run;
However, in the macro CHECK2, the value assigned to VAL is simply the name PGM,
not the value of PGM. The macro processor resolves &&&VAL into &PGM and then
into the SAS statements contained in the macro variable PGM. Thus, the long value is
stored only once.
146 Writing Portable Macros 4 Chapter 11
SAS Language
Function or
Task Functions
interact with the File Data Buffer (FDB) FCOL, FGET, FNOTE,
FPOS, FPUT, FSEP
Writing Efficient and Portable Macros 4 Using Automatic Variables with Host-Specific Values 147
SAS Language
Function or
Task Functions
Note: Of course, you can also use other functions, such as ABS, MAX, and
TRANWRD, with %SYSFUNC. A few SAS language functions are not available with
%SYSFUNC. See “%SYSFUNC and %QSYSFUNC Functions” on page 253 for more
details. 4
%testfile(myfile)
Automatic Macro
Task Variable Type
list the name of the current graphics device on SYSDEVIC read and write
DEVICE=.
Automatic Macro
Task Variable Type
list the last return code generated by your host SYSRC read and write
environment, based on commands executed
using the X statement in open code, the X
command in the SAS windowing environment,
or the %SYSEXEC (or %TSO or %CMS) macro
statements.
The default value is 0.
list the abbreviation of the host environment SYSSCP read-only
you are using.
/* DOS-LIKE platforms */
%else %if &sysscp=OS2 or &sysscp=WIN %then %do;
X ‘‘DEL &fileref..TMP’’;
%end;
/* CMS */
%else %if &sysscp=CMS %then %do;
X ‘‘ERASE &fileref TMP A’’;
%end;
%mend delfile;
Here is a call to the macro DELFILE in a PC environment that deletes a file named
C:\SAS\SASUSER\DOC1.TMP:
%delfile(c:\sas\sasuser\doc1)
In this program, note the use of the portable %SYSEXEC statement to carry out the
host-specific operating system commands.
Now, suppose you know your macro application is going to run on some version of
Microsoft Windows. The SYSSCPL automatic macro variable provides information
about the name of the host environment, similar to the SYSSCP automatic macro
variable. However, SYSSCPL provides more information and enables you to further
tailor your macro code.
Writing Efficient and Portable Macros 4 SYSPARM Details 149
When this program executes, you end up with a data set that contains data for only
the town you are interested in, and you can change what data set is generated before
you start your SAS job.
Now suppose you want to further use the value of SYSPARM to control what
procedures your job uses. The following macro does just that:
%macro select;
%if %upcase(&sysparm) eq BOSTON %then
%do;
proc report ... more SAS code;
title "Report on &sysparm";
run;
%end;
SYSPARM Details
The value of the SYSPARM automatic macro variable is the same as the value of the
SYSPARM= system option, which is equivalent to the return value of the SAS language
function SYSPARM. The default value is null. Because you can use the SYSPARM=
system option at SAS invocation, you can set the value of the SYSPARM automatic
macro variable before your SAS session begins.
150 SYSRC Details 4 Chapter 11
SYSRC Details
The value of the SYSRC automatic macro variable contains the last return code
generated by your host environment. The code returned is based on commands you
execute using the X statement in open code, the X command a windowing environment,
or the %SYSEXEC macro statement (as well as the nonportable %TSO and %CMS
macro statements). Use the SYSRC automatic macro variable to test the success or
failure of a host environment command.
Note: While it does not generate an error message in the SAS log, the SYSRC
automatic macro variable is not useful under all host environments. For example,
under some host environments, the value of this variable is always 99, regardless of the
success or failure of the host environment command. Check the SAS companion for
your host environment to determine whether the SYSRC automatic macro variable is
useful for your host environment. 4
%testsort(1)
/* Invoke the macro with the number 1 as the parameter. */
On EBCDIC systems, such as z/OS, and VSE, this program causes the following
to be written to the SAS log:
*** 1 is greater than a ***
MSYMTABMAX=
The MSYMTABMAX system option specifies the maximum amount of memory
available to the macro variable symbol tables. If this value is exceeded, the symbol
tables are stored in a WORK file on disk.
MVARSIZE=
The MVARSIZE system option specifies the maximum number of bytes for any
macro variable stored in memory. If this value is exceeded, the macro variable is
stored in a WORK file on disk.
%SCAN and %QSCAN
The default delimiters that the %SCAN and %QSCAN functions use to search for
words in a string are different on ASCII and EBCDIC systems. The default
delimiters are
ASCII systems blank . < ( + & ! $ * ); ^ − / , % |
Writing Efficient and Portable Macros 4 Naming Macros and External Files for Use with the Autocall Facility 151
SYS99MSG YSC99 text message corresponding to the SVC error or info reason
code
Naming Macros and External Files for Use with the Autocall Facility
When naming macros that will be stored in an autocall library, there are restrictions
depending on your host environment. Here is a list of some of the restrictions:
152 Naming Macros and External Files for Use with the Autocall Facility 4 Chapter 11
3 Every host environment has file naming conventions. If the host environment uses
file extensions, use .sas as the extension of your macro files.
3 Although SAS names can contain underscores, some host environments do not use
them in the names of external files. Some host environments that do not use
underscores do use the pound sign (#) and might automatically replace the # with
_ when the macro is used.
3 Some host environments have reserved words, such as CON and NULL. Do not
use reserved words when naming autocall macros or external files.
3 Some hosts have host-specific autocall macros. Do not define a macro with the
same name as these autocall macros.
3 Macro catalogs are not portable. Remember to always save your macro source code
in a safe place.
3 On UNIX systems the filename that contains the autocall macro must be all
lowercase letters.
153
CHAPTER
12
Macro Language Elements
Macro Statements
Table 12.1 Macro Language Statements Used in Macro Definitions and Open Code
Statement Description
%GLOBAL creates macro variables that are available during the execution of an
entire SAS session.
%PUT writes text or the values of macro variables to the SAS log.
The following table lists macro language statements that you can use only in macro
definitions.
Statement Description
%ABORT stops the macro that is executing along with the current DATA step,
SAS job, or SAS session.
Statement Description
%DO, Iterative executes statements repetitively, based on the value of an index
variable.
%LOCAL creates macro variables that are available only during the execution
of the macro where they are defined.
%DO %UNTIL(expression);
%DO %WHILE(expression);
For details about operands and operators in expressions, see Chapter 6, “Macro
Expressions,” on page 69.
Macro Functions
Function Description
%BQUOTE, %NRBQUOTE mask special characters and mnemonic operators in a resolved value
at macro execution.
%QUOTE, %NRQUOTE mask special characters and mnemonic operators in a resolved value
at macro execution. Unmatched quotation marks (“ ”) and
parentheses ( () ) must be marked with a preceding %.
%SCAN, %QSCAN search for a word specified by its number. %QSCAN masks special
characters and mnemonic operators in its result.
%STR, %NRSTR mask special characters and mnemonic operators in constant text at
macro compilation. Unmatched quotation marks (“ ”) and
parentheses ( () ) must be marked with a preceding %.
%UNQUOTE unmasks all special characters and mnemonic operators for a value.
Function Description
Function Description
%SCAN, %QSCAN search for a word that is specified by a number. %QSCAN masks
special characters and mnemonic operators in its result.
For macro character functions that have a Q form (for example, %SCAN and
%QSCAN), the two functions work alike except that the function beginning with Q
masks special characters and mnemonic operators in its result. Use the function
beginning with Q when an argument has been previously masked with a macro quoting
function or when you want the result to be masked (for example, when the result might
contain an unmatched quotation mark or parenthesis). For details, see Chapter 7,
“Macro Quoting,” on page 77.
Many macro character functions have names corresponding to SAS character
functions and perform similar tasks (such as %SUBSTR and SUBSTR). But, macro
functions operate before the DATA step executes. Consider the following DATA step:
data out.%substr(&sysday,1,3); /* macro function */
set in.weekly (keep=name code sales);
length location $4;
location=substr(code,1,4); /* SAS function */
run;
Running the program on Monday creates the data set name OUT.MON:
data out.MON; /* macro function */
set in.weekly (keep=name code sales);
length location $4;
location=substr(code,1,4); /* SAS function */
run;
Suppose that the IN.WEEKLY variable CODE contains the values cary18593 and
apex19624. The SAS function SUBSTR operates during DATA step execution and
assigns these values to the variable LOCATION: cary and apex.
Function Description
Function Description
%BQUOTE, %NRBQUOTE mask special characters and mnemonic operators in a resolved value
at macro execution. %BQUOTE and %NRBQUOTE are the most
powerful functions for masking values at execution time because
they do not require that unmatched quotation marks (“ ”) and
parentheses ( () ) be marked.
%QUOTE, %NRQUOTE mask special characters and mnemonic operators in a resolved value
at macro execution. Unmatched quotation marks (“ ”) and
parentheses ( () ) must be marked with a preceding %.
%STR, %NRSTR mask special characters and mnemonic operators in constant text at
macro compilation. Unmatched quotation marks (“ ”) and
parentheses ( () ) must be marked with a preceding %.
For example, the %STR function prevents the following %LET statement from ending
prematurely. It keeps the semicolon in the PROC PRINT statement from being
interpreted as the semicolon for the %LET statement.
%let printit=%str(proc print; run;);
%SUPERQ fetches the value of a macro variable from the macro symbol table and
masks it immediately, preventing the macro processor from attempting to resolve any
part of the resolved value. For example, %SUPERQ prevents the following %LET
statement from producing an error when it resolves to a value with an ampersand, like
Smith&Jones. Without %SUPERQ, the macro processor would attempt to resolve
&Jones.
%let testvar=%superq(corpname);
/* No ampersand in argument to %superq. */
If the argument for one of these functions contains a character string with the
comment symbols /* and -->, use a %STR function with each character. For example,
consider these statements:
160 Other Macro Functions 4 Chapter 12
Note: Unexpected results can occur if the comment symbols are not quoted with a
quoting function. 4
For more information about macro quoting, see Chapter 7, “Macro Quoting,” on page
77.
Function Description
%SYMEXIST returns an indication as to whether the named macro variable exists.
%SYSFUNC, %QSYSFUNC execute SAS language functions or user-written functions within the
macro facility.
%SYSGET returns the value of the specified host environment variable. For
details, see the SAS Companion for your operating environment.
%SYSPROD reports whether a SAS software product is licensed at the site.
The %SYSFUNC and %QSYSFUNC functions enable most of the functions from Base
SAS software and the SAS Component Language available to the macro facility.
Consider the following examples:
• /* in a DATA step or SCL program */
dsid=open("sasuser.houses","i");
• /* in the macro facility */
%let dsid = %sysfunc(open(sasuser.houses,i));
For more information, see “%SYSFUNC and %QSYSFUNC Functions” on page 253.
CAUTION:
Do not create macro variable names that begin with SYS. The three-letter prefix SYS is
reserved for use by SAS for automatic macro variables. For a complete list of
reserved words in the macro language, see Appendix 1, “Reserved Words in the
Macro Facility,” on page 345. 4
For example, suppose you want to include the day and date that your current SAS
session was invoked. Write the FOOTNOTE statement to reference the automatic
macro variables SYSDAY and SYSDATE9:
footnote "Report for &sysday, &sysdate9";
If the current SAS session was invoked on June 13, 2007, macro variable resolution
causes SAS to see this statement:
FOOTNOTE "Report for Friday, 13JUN2007";
All automatic variables except for SYSPBUFF are global and are created when you
invoke SAS. The following table lists the automatic macro variables and describes their
READ and WRITE status.
SYSDATE read-only
SYSDATE9 read-only
SYSDAY read-only
SYSENV read-only
SYSERR read-only
SYSHOSTNAME read-only
SYSINDEX read-only
SYSINFO read-only
SYSJOBID read-only
SYSLAST read and write
SYSLOGAPPLNAME read-only
162 Interfaces with the Macro Facility 4 Chapter 12
SYSMENV read-only
SYSNCPU read-only
SYSODSPATH read-only
SYSPROCESSID read-only
SYSPROCESSNAME read-only
SYSPROCNAME read-only
SYSSCP read-only
SYSSCPL read-only
SYSSITE read-only
SYSSTARTID read-only
SYSSTARTNAME read-only
SYSTCPIPHOSTNAME read-only
SYSTIME read-only
SYSUSERID read-only
SYSVER read-only
SYSVLONG read-only
SYSVLONG4 read-only
SYSWARNINGTEXT read-only
Element Description
EXECUTE routine resolves an argument and executes the resolved value at the next
step boundary.
RESOLVE function resolves the value of a text expression during DATA step execution.
SYMDEL routine deletes the indicated macro variable named in the argument.
Macro Language Elements 4 Overview of Provided Autocall Macros 163
Element Description
SYMEXIST function returns an indication as to whether the named macro variable exists.
SYMGET function returns the value of a macro variable to the DATA step during DATA
step execution.
The SAS Component Language (SCL) provides two elements for using the SAS macro
facility to define macros and macro variables for SCL programs.
Element Description
SYMGETN returns the value of a global macro variable as a numeric value.
The SQL procedure provides a feature for creating and updating macro variables
with values produced by the SQL procedure.
Element Description
For more information, see Chapter 8, “Interfaces with the Macro Facility,” on page 99.
Macro Description
CMPRES and QCMPRES compresses multiple blanks and removes leading and trailing blanks.
QCMPRES masks the result so special characters and mnemonic
operators are treated as text instead of being interpreted by the
macro facility.
LEFT and QLEFT left-aligns an argument by removing leading blanks. QLEFT masks
the result so special characters and mnemonic operators are treated
as text instead of being interpreted by the macro facility.
TRIM and QTRIM trims trailing blanks. QTRIM masks the result so special characters
and mnemonic operators are treated as text instead of being
interpreted by the macro facility.
with that name. If the macro processor does not find a compiled macro and if the
MAUTOSOURCE is in effect, the macro processor searches the libraries specified by the
SASAUTOS option for a member with that name. When the macro processor finds the
member, it does the following:
1 compiles all of the source statements in that member, including all macro
definitions
2 executes any open code (macro statements or SAS source statements not within
any macro definition) in that member
3 executes the macro with the name you invoked
Option Description
MAUTOLOCDISPLAY displays the source location of the autocall macros in the SAS log
when the autocall macro is invoked.
MCOMPILENOTE issues a NOTE to the SAS log upon the completion of the
compilation of a macro.
MCOMPILE allows new definitions of macros.
MINDELIMITER specifies the character to be used as the delimiter for the macro IN
operator.
MINOPERATOR Controls whether the macro processor recognizes the IN (#) logical
operator.
Option Description
MPRINT controls whether SAS statements generated by macro execution are
traced for debugging.
MRECALL controls whether the macro processor searches the autocall libraries
for a member that was not found during an earlier search.
MVARSIZE specifies the maximum size for in-memory macro variable values.
2
P A R T
CHAPTER
13
AutoCall Macros
Syntax
%CMPRES (text | text expression)
%QCMPRES (text | text expression)
Note: Autocall macros are included in a library supplied by SAS Institute. This
library might not be installed at your site or might be a site-specific version. If you
cannot access this macro or if you want to find out if it is a site-specific version, see
your on-site SAS support personnel. For more information, see Chapter 9, “Storing and
Reusing Macros,” on page 111. 4
Details
The CMPRES and QCMPRES macros compress multiple blanks and remove leading
and trailing blanks. If the argument might contain a special character or mnemonic
operator, listed below, use %QCMPRES.
CMPRES returns an unquoted result, even if the argument is quoted. QCMPRES
produces a result with the following special characters and mnemonic operators
masked, so the macro processor interprets them as text instead of as elements of the
macro language:
& % ’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
Examples
Example 1: Removing Unnecessary Blanks with %CMPRES
%macro createft;
%let footnote="The result of &x &op &y is %eval(&x &op &y).";
170 %COMPSTOR Autocall Macro 4 Chapter 13
footnote1 &footnote;
footnote2 %cmpres(&footnote);
%mend createft;
data _null_;
x=5;
y=10;
call symput(’x’,x); /* Uses BEST12. format */
call symput(’y’,y); /* Uses BEST12. format */
call symput(’op’,’+’); /* Uses $1. format */
run;
%createft
Syntax
%COMPSTOR (PATHNAME=SAS library)
SAS-data-library
is the physical name of a SAS library on your host system. The COMPSTOR macro
uses this value to automatically assign a libref. Do not enclose SAS library in
quotation marks.
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
AutoCall Macros 4 %DATATYP Autocall Macro 171
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Details
The COMPSTOR macro compiles the following autocall macros in a SAS catalog named
SASMACR in a permanent SAS library. The overhead of compiling is saved when these
macros are called for the first time in a SAS session. You can use the COMPSTOR
macro as an example of how to create compiled stored macros. For more information
about the SAS supplied autocall macros or about using stored compiled macros, see
Chapter 9, “Storing and Reusing Macros,” on page 111.
%CMPRES
%DATATYP
%LEFT
%QCMPRES
%QLEFT
%QTRIM
%TRIM
%VERIFY
Syntax
%DATATYP (text | text expression)
Note: Autocall macros are included in a library supplied by SAS. This library
might not be installed at your site or might be a site-specific version. If you cannot
access this macro or if you want to find out if it is a site-specific version, see your
on-site SAS support personnel. 4
Details
The DATATYP macro returns a value of NUMERIC when an argument consists of digits
and a leading plus or minus sign, a decimal, or a scientific or floating-point exponent (E
or D in uppercase or lowercase letters). Otherwise, it returns the value CHAR.
Note: %DATATYP does not identify hexadecimal numbers. 4
Example
Example 1: Determining the Data Type of a Value
%macro add(a,b);
%if (%datatyp(&a)=NUMERIC and %datatyp(&b)=NUMERIC) %then %do;
172 %LEFT and %QLEFT Autocall Macro 4 Chapter 13
Syntax
%LEFT(text | text expression)
%QLEFT(text | text expression)
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Details
The LEFT macro and the QLEFT macro both left-align arguments by removing leading
blanks. If the argument might contain a special character or mnemonic operator, listed
below, use %QLEFT.
%LEFT returns an unquoted result, even if the argument is quoted. %QLEFT
produces a result with the following special characters and mnemonic operators masked
so the macro processor interprets them as text instead of as elements of the macro
language:
& % ’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
AutoCall Macros 4 %LOWCASE and %QLOWCASE Autocall Macros 173
Example
Example 1: Contrasting %LEFT and %QLEFT In this example, both the LEFT and
QLEFT macros remove leading blanks. However, the QLEFT macro protects the
leading & in the macro variable SYSDAY so it does not resolve.
%let d=%nrstr( &sysday );
%put *&d* *%qleft(&d)* *%left(&d)*;
The %PUT statement writes the following line to the SAS log:
* &sysday * *&sysday * *Tuesday *
Syntax
%LOWCASE (text | text expression)
%QLOWCASE (text | text expression)
Note: Autocall macros are included in a library supplied by SAS. This library
might not be installed at your site or might be a site-specific version. If you cannot
access this macro or if you want to find out if it is a site-specific version, see your
on-site SAS support personnel. For more information, see Chapter 9, “Storing and
Reusing Macros,” on page 111. 4
Details
The LOWCASE and QLOWCASE macros change uppercase alphabetic characters to
their lowercase equivalents. If the argument might contain a special character or
mnemonic operator, listed below, use %QLOWCASE.
LOWCASE returns a result without quotation marks, even if the argument has
quotation marks. QLOWCASE produces a result with the following special characters
and mnemonic operators masked so the macro processor interprets them as text instead
of as elements of the macro language:
& % ’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
Example
Example 1: Creating a Title with Initial Letters Capitalized
%macro initcaps(title);
%global newtitle;
174 %QCMPRES Autocall Macro 4 Chapter 13
%let newtitle=;
%let lastchar=;
%do i=1 %to %length(&title);
%let char=%qsubstr(&title,&i,1);
%if (&lastchar=%str( ) or &i=1) %then %let char=%qupcase(&char);
%else %let char=%qlowcase(&char);
%let newtitle=&newtitle&char;
%let lastchar=&char;
%end;
TITLE "&newtitle";
%mend;
Syntax
%QCMPRES (text | text expression)
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Syntax
%QLEFT (text | text expression)
AutoCall Macros 4 %QTRIM Autocall Macro 175
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Syntax
%QLOWCASE(text | text expression)
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Syntax
%QTRIM (text | text expression)
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
176 %SYSRC Autocall Macro 4 Chapter 13
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Syntax
%SYSRC(character-string)
character-string
is one of the mnemonic values listed in Table 13.1 on page 177 or a text expression
that produces the mnemonic value.
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Details
The SYSRC macro enables you to test for return codes produced by SCL functions, the
MODIFY statement, and the SET statement with the KEY= option. The SYSRC
autocall macro tests for the error conditions by using mnemonic strings rather than the
numeric values associated with the error conditions.
When you invoke the SYSRC macro with a mnemonic string, the macro generates a
SAS return code. The mnemonics are easier to read than the numeric values, which are
not intuitive and subject to change.
You can test for specific errors in SCL functions by comparing the value returned by
the function with the value returned by the SYSRC macro with the corresponding
mnemonic. To test for errors in the most recent MODIFY or SET statement with the
KEY= option, compare the value of the _IORC_ automatic variable with the value
returned by the SYSRC macro when you invoke it with the value of the appropriate
mnemonic.
The following table lists the mnemonic values to specify with the SYSRC function
and a description of the corresponding error.
AutoCall Macros 4 %SYSRC Autocall Macro 177
Mnemonic Description
_SEINVLB The library is not in a valid format for the access method.
_SWDUPLB The libref refers to the same physical file as another libref.
_SWNOLIB The library does not exist.
Fileref Messages
_DSENMR The TRANSACTION data set observation does not exist in the
MASTER data set.
_SEDSMOD The data set is not open in the correct mode for the specified
operation.
_SEMBACC You do not have the level of access required to open the data set
in the requested mode.
Mnemonic Description
_SENOSAS The file is not a SAS data set.
_SWBOF You tried to read the previous observation when you were on the
first observation.
_SWNOWHR The record no longer satisfies the WHERE clause.
_SENOACC You do not have the level of access required to open the file in
the requested mode.
_SENOALL _ALL_ is not allowed as part of a filename in this release.
_SENOCHN The record was not changed because it would cause a duplicate
value for an index that does not allow duplicates.
_SENOOAC You are not authorized for the requested open mode.
_SENOUPD The file cannot be opened for update because the engine is read
only.
Mnemonic Description
_SWEOF End of file.
_SWNOREP The file was not replaced because of the NOREPLACE option.
_SWNOTFL The item pointed to exists but is not a file.
Library/Member/Entry Messages
_SEBDMT The member type specification is invalid.
_SWKNXL You have locked a library, member, or entry, that does not exist
yet.
Miscellaneous Operations
_SEDEVOF The device is offline or unavailable.
_SENORNG There is no write ring in the tape opened for write access.
_SOK The function was successful.
Comparison
The SYSRC autocall macro and the SYSRC automatic macro variable are not the same.
For more information, see “SYSRC Automatic Macro Variable” on page 201.
180 %TRIM and %QTRIM Autocall Macro 4 Chapter 13
Example
Example 1: Examining the Value of _IORC_ The following DATA step illustrates using
the autocall macro SYSRC and the automatic variable _IORC_ to control writing a
message to the SAS log:
data big;
modify big trans;
by id;
if _iorc_=%sysrc(_dsenmr) then put ’WARNING: Check ID=’ id;
run;
Syntax
%TRIM(text | text expression)
%QTRIM(text | text expression)
Note: Autocall macros are included in a library supplied by SAS. This library might
not be installed at your site or might be a site-specific version. If you cannot access this
macro or if you want to find out if it is a site-specific version, see your on-site SAS
support personnel. For more information, see Chapter 9, “Storing and Reusing Macros,”
on page 111. 4
Details
The TRIM macro and the QTRIM macro both trim trailing blanks. If the argument
contains a special character or mnemonic operator, listed below, use %QTRIM.
QTRIM produces a result with the following special characters and mnemonic
operators masked so the macro processor interprets them as text instead of as elements
of the macro language:
& % ’ " ( ) + − * / < > = ˆ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
Examples
Example 1: Removing Trailing Blanks In this example, the TRIM autocall macro
removes the trailing blanks from a message that is written to the SAS log.
%macro numobs(dsn);
%local num;
data _null_;
AutoCall Macros 4 %VERIFY Autocall Macro 181
%numobs(sample)
If the data set SAMPLE contains six observations, then the %PUT statement writes
this line to the SAS log:
There were 6 observations in SAMPLE.
Example 2: Contrasting %TRIM and %QTRIM These statements are executed January
28, 1999:
%let date=%nrstr( &sysdate );
%put *&date* *%qtrim(&date)* *%trim(&date)*;
Syntax
%VERIFY(source, excerpt)
source
is text or a text expression that you want to examine for characters that do not exist
in excerpt.
excerpt
is text or a text expression. This is the text that defines the set of characters that
%VERIFY uses to examine source.
182 %VERIFY Autocall Macro 4 Chapter 13
Note: Autocall macros are included in a library supplied by SAS. This library
might not be installed at your site or might be a site-specific version. If you cannot
access this macro or if you want to find out if it is a site-specific version, see your
on-site SAS support personnel. For more information, see Chapter 9, “Storing and
Reusing Macros,” on page 111. 4
Details
%VERIFY returns the position of the first character in source that is not also present in
excerpt. If all characters in source are present in excerpt, %VERIFY returns 0.
Example
Example 1: Testing for a Valid Fileref The ISNAME macro checks a string to verify
that it is a valid fileref and prints a message in the SAS log that explains why a string
is or is not valid.
%macro isname(name);
%let name=%upcase(&name);
%if %length(&name)>8 %then
%put &name: The fileref must be 8 characters or less.;
%else %do;
%let first=ABCDEFGHIJKLMNOPQRSTUVWXYZ_;
%let all=&first.1234567890;
%let chk_1st=%verify(%substr(&name,1,1),&first);
%let chk_rest=%verify(&name,&all);
%if &chk_rest>0 %then
%put &name: The fileref cannot contain
"%substr(&name,&chk_rest,1)".;
%if &chk_1st>0 %then
%put &name: The first character cannot be
"%substr(&name,1,1)".;
%if (&chk_1st or &chk_rest)=0 %then
%put &name is a valid fileref.;
%end;
%mend isname;
%isname(file1)
%isname(1file)
%isname(filename1)
%isname(file$)
When this program executes, the following is written to the SAS log:
FILE1 is a valid fileref.
1FILE: The first character cannot be "1".
FILENAME1: The fileref must be 8 characters or less.
FILE$: The fileref cannot contain "$".
183
CHAPTER
14
Automatic Macro Variables
Details
Until the first execution of a %INPUT statement, SYSBUFFR has a null value.
However, SYSBUFFR receives a new value during each execution of a %INPUT
statement, either the text entered in response to the %INPUT statement where there is
no corresponding macro variable or a null value. If a %INPUT statement contains no
macro variable names, all characters entered are assigned to SYSBUFFR.
Example
Example 1: Assigning Text to SYSBUFFR This %INPUT statement accepts the values
of the two macro variables WATRFALL and RIVER:
%input watrfall river;
If you enter the following text, there is not a one-to-one match between the two
variable names and the text:
Angel Tributary of Caroni
As the SAS log demonstrates, the text stored in SYSBUFFR includes leading and
embedded blanks.
184 SYSCC Automatic Macro Variable 4 Chapter 14
Details
SYSCC is a read/write automatic macro variable that enables you to reset the job
condition code and to recover from conditions that prevent subsequent steps from
running.
A normal exit internally to SAS is 0. The host code translates the internal value to a
meaningful condition code by each host for each operating environment. &SYSCC of 0
at SAS termination is the value of success for that operating environment’s return code.
The following are examples of successful condition codes:
z/OS RC 0
OpenVMS $STATUS = 1
The method to check the operating environment return code is host dependent.
The warning condition code in SAS sets &SYSCC to 4.
Note: When the ERRORCHECK= SAS system option is set at NORMAL, the value
of SYSCC will be 0 even if an error exists in a LIBNAME or FILENAME statement, or
in a LOCK statement in SAS/SHARE software. The value of SYSCC will also be 0
when the %INCLUDE statement fails due to a nonexistent file. For more information,
see the ERRORCHECK= System Option in SAS Language Reference: Dictionary. 4
Details
The character width value is either 1 (narrow) or 2 (wide).
Details
The value of SYSCMD is null before each execution of a %DISPLAY statement. If
you enter a word or phrase on the command line of a macro window and the windowing
environment does not recognize the command, SYSCMD receives that word or phrase
as its value. This method is the only way to change the value of SYSCMD, which
otherwise is a read-only variable. Use SYSCMD to enter values on the command line
that work like user-created windowing commands.
Example
Example 1: Processing Commands Entered In a Macro Window The macro definition
START creates a window in which you can use the command line to enter any
windowing command. If you type an invalid command, a message informs you that the
command is not recognized. When you type QUIT on the command line, the window
closes and the macro terminates.
%macro start;
%window start
#5 @28 ’Welcome to the SAS System’
#10 @28 ’Type QUIT to exit’;
%let exit = 0;
%do %until (&exit=1);
%display start;
%if &syscmd ne %then %do;
%if %upcase(&syscmd)=QUIT %then %let exit=1;
%else %let sysmsg=&syscmd not recognized;
%end;
%end;
%mend start;
Details
SYSDATE contains a SAS date value in the DATE7. format, which displays a
two-digit date, the first three letters of the month name, and a two-digit year. The date
does not change during the individual job or session. As an example, you could use
SYSDATE in programs to check the date before you execute code that you want to run
on certain dates of the month.
186 SYSDATE9 Automatic Macro Variable 4 Chapter 14
Example
Example 1: Formatting a SYSDATE Value Macro FDATE assigns a format you specify
to the value of SYSDATE:
%macro fdate(fmt);
%global fdate;
data _null_;
call symput("fdate",left(put("&sysdate"d,&fmt)));
run;
%mend fdate;
%fdate(worddate.)
title "Tests for &fdate";
If you execute this macro on July 28, 1998, SAS sees the statements:
DATA _NULL_;
CALL SYMPUT("FDATE",LEFT(PUT("28JUL98"D,WORDDATE.)));
RUN;
TITLE "Tests for July 28, 1998";
For another method of formatting the current date, see the %SYSFUNC and
%QSYSFUNC functions.
Details
SYSDATE9 contains a SAS date value in the DATE9. format, which displays a
two-digit date, the first three letters of the month name, and a four-digit year. The date
does not change during the individual job or session. As an example, you could use
SYSDATE9 in programs to check the date before you execute code that you want to run
on certain dates of the month.
Example
Example 1: Formatting a SYSDATE9 Value Macro FDATE assigns a format you specify
to the value of SYSDATE9:
%macro fdate(fmt);
b %global fdate;
data _null_;
call symput("fdate",left(put("&sysdate9"d,&fmt)));
run;
%mend fdate;
%fdate(worddate.)
Automatic Macro Variables 4 SYSDEVIC Automatic Macro Variable 187
If you execute this macro on July 28, 2008, SAS sees the statements:
DATA _NULL_;
CALL SYMPUT("FDATE",LEFT(PUT("28JUL2008"D,WORDDATE.)));
RUN;
TITLE "Tests for July 28, 2008";
For another method of formatting the current date, see the %SYSFUNC and
%QSYSFUNC functions.
Details
You can use SYSDAY to check the current day before executing code that you want to
run on certain days of the week, provided you initialized your SAS session today.
Example
Example 1: Identifying the Day When a SAS Session Started The following statement
identifies the day and date when a SAS session started running.
%put This SAS session started running on: &sysday, &sysdate9.;
When this statement executes on Wednesday, December 19, 2007 for a SAS session
that began executing on Monday, December 17, 2007, the following line is written to the
SAS log:
This SAS session started running on: Monday, 17DEC2007
Details
The current graphics device is the one specified at invocation of SAS. You can specify
the graphics device on the command line in response to a prompt when you use a
product that uses SAS/GRAPH. You can also specify the graphics device in a
configuration file. The name of the current graphics device is also the value of the SAS
system option DEVICE=.
188 SYSDMG Automatic Macro Variable 4 Chapter 14
For details, see the SAS documentation for your operating environment.
Note: The macro processor always stores the value of SYSDEVIC in unquoted form.
To quote the resolved value of SYSDEVIC, use the %SUPERQ macro quoting function. 4
Comparisons
Assigning a value to SYSDEVIC is the same as specifying a value for the DEVICE=
system option.
Details
You can use the value of SYSDMG as a condition to determine further action to take.
SYSDMG can contain the following values:
Value Description
0 No repair of damaged data sets in this session. (Default)
5 One or more automatic repairs of damaged data sets has occurred; the
last-repaired data set has index file removed, as requested.
6 One or more user requested repairs has occurred; the last-repaired data set has
index file removed, as requested.
Details
The libref and data set name are displayed in two left-aligned fields. If no SAS data set
has been created in the current program, SYSDSN returns eight blanks followed by
_NULL_ followed by two more blanks.
Note: The macro processor always stores the value of SYSDSN in unquoted form.
To quote the resolved value of SYSDSN, use the %SUPERQ macro quoting function. 4
Comparisons
3 Assigning a value to SYSDSN is the same as specifying a value for the _LAST_=
system option.
3 The value of SYSLAST is often more useful than SYSDSN because the value of
SYSLAST is formatted so that you can insert a reference to it directly into SAS
code in place of a data set name.
Example
Example 1: Comparing Values Produced by SYSDSN and SYSLAST Create a data set
WORK.TEST and then enter the following statements:
%put Sysdsn produces: *&sysdsn*;
%put Syslast produces: *&syslast*;
When these statements execute, the following lines are written to the SAS log:
Sysdsn produces: *WORK TEST *
Syslast produces: *WORK.TEST *
When the libref or data set name contain fewer than eight characters, SYSDSN
maintains the blanks for the unused characters. SYSDSN does not display a period
between the libref and data set name fields.
Details
SYSENCODING displays the name with a maximum length of 12 bytes.
Example
Example 1: Using SYSENCODING to Display the SAS Session Encoding
The following statement displays the encoding for the SAS session:
%put The encoding for this SAS session is: &sysencoding;
When this statement executes, the following comment is written to the SAS log:
The encoding for this SAS session is: wlatin1
190 SYSENV Automatic Macro Variable 4 Chapter 14
Details
The value of SYSENV is independent of the source of input. The following are values
for SYSENV:
FORE
when the SAS system option TERMINAL is in effect. For example, the value is
FORE when you run SAS interactively through a windowing environment.
BACK
when the SAS system option NOTERMINAL is in effect. For example, the value is
BACK when you submit a SAS job in batch mode.
You can use SYSENV to check the execution mode before submitting code that
requires interactive processing. To use a %INPUT statement, the value of SYSENV
must be FORE. For details, see the SAS documentation for your operating environment.
Operating Environment Information: Some operating environments do not support the
submission of jobs in batch mode. In this case the value of SYSENV is always FORE.
For details, see the SAS documentation for your operating environment. 4
Details
You can use the value of SYSERR as a condition to determine further action to take or
to decide which parts of a SAS program to execute.
SYSERR is used to detect major system errors, such as out of memory or failure of the
component system when used in some procedures and DATA steps.
SYSERR automatic macro variable is reset at each step boundary. For the return code
of a complete job, see “SYSCC Automatic Macro Variable” on page 184.
SYSERR can contain the following values:
Value Description
0 Execution completed successfully and without warning messages.
Value Description
4 Execution completed successfully but with warning messages.
The following table contains warning return codes. The codes do not indicate any
specific problems. These codes are guidelines to identify the nature of a problem.
The following table contains error return codes. The codes do not indicate any specific
problems. These codes are guidelines to identify the nature of a problem.
Example
Example 1: Using SYSERR The example creates an error message and uses %PUT
&SYSERR to write the return code number (1012) to the SAS log.
192 SYSERRORTEXT Automatic Macro Variable 4 Chapter 14
data NULL;
set doesnotexist;
run;
%put &syserr;
The following SAS log output contains the return code number:
75 data NULL;
76 set doesnotexist;
ERROR: File WORK.DOESNOTEXIST.DATA does not exist.
77
78 run;
NOTE: The SAS System stopped processing this step because of errors.
WARNING: The data set WORK.NULL might be incomplete. When this step was stopped
there were 0 observations and 0 variables.
WARNING: Data set WORK.NULL was not replaced because this step was stopped.
NOTE: DATA statement used (Total process time):
real time 0.00 seconds
cpu time 0.00 seconds
79
80 %put &syserr;
1012
To retrieve error and warning text instead of the return code number, see
“SYSERRORTEXT Automatic Macro Variable” on page 192 and “SYSWARNINGTEXT
Automatic Macro Variable” on page 207.
Details
The value of SYSERRORTEXT is the text of the last error message generated in the
SAS log. For a list of SYSERR warnings and errors, see “SYSERR Automatic Macro
Variable” on page 190.
Example
Example 1: Using SYSERRORTEXT
run;
Automatic Macro Variables 4 SYSHOSTNAME Automatic Macro Variable 193
%put &syserrortext;
When these statements are executed, the following record is written to the SAS log:
1 data NULL;
2 set doesnotexist;
3 run;
NOTE: The SAS System stopped processing this step because of errors.
WARNING: The data set WORK.NULL might be incomplete. When this step was
stopped there were 0 observations and 0 variables.
NOTE: DATA statement used (Total process time):
real time 11.16 seconds
cpu time 0.07 seconds
4 %put &syserrortext;
Details
SYSFILRC checks whether the file or storage location referenced by the last
FILENAME statement exists. You can use SYSFILRC to confirm that a file or location
is allocated before attempting to access an external file.
The following are values for SYSFILRC:
Value Description
0 The last FILENAME statement executed correctly.
Details
SYSHOSTNAME contains the host name of the system that is running a single TCPIP
stack. For more information about TCPIP stacks, see your SAS host companion
documentation.
Details
You can use SYSINDEX in a program that uses macros when you need a unique
number that changes after each macro invocation.
Details
Values of SYSINFO are described with the procedures that use it. You can use the
value of SYSINFO as a condition for determining further action to take or parts of a
SAS program to execute.
For example, PROC COMPARE, which compares two data sets, uses SYSINFO to
store a value that provides information about the result of the comparison.
Details
The value stored in SYSJOBID depends on the operating environment that you use to
run SAS. You can use SYSJOBID to check who is currently executing the job to restrict
certain processing or to issue commands that are specific to a user.
Automatic Macro Variables 4 SYSLCKRC Automatic Macro Variable 195
Details
The name is stored in the form libref.dataset. You can insert a reference to SYSLAST
directly into SAS code in place of a data set name. If no SAS data set has been created
in the current program, the value of SYSLAST is _NULL_, with no leading or trailing
blanks.
Note: The macro processor always stores the value of SYSLAST in unquoted form.
To quote the resolved value of SYSLAST, use the %SUPERQ macro quoting function. 4
Comparisons
3 Assigning a value to SYSLAST is the same as specifying a value for the _LAST_=
system option.
3 The value of SYSLAST is often more useful than SYSDSN because the value of
SYSLAST is formatted so that you can insert a reference to it directly into SAS
code in place of a data set name.
Examples
Example 1: Comparing Values Produced by SYSLAST and SYSDSN Create the data set
FIRSTLIB.SALESRPT and then enter the following statements:
%put Sysdsn produces: *&sysdsn*;
%put Syslast produces: *&syslast*;
When these statements are executed, the following is written to the SAS log:
Sysdsn produces: *FIRSTLIBSALESRPT*
Syslast produces: *FIRSTLIB.SALESRPT*
The name stored in SYSLAST contains the period between the libref and data set
name.
Details
The LOCK statement is a Base SAS software statement used to acquire and release an
exclusive lock on data objects in data libraries accessed through SAS/SHARE software.
The following are values for SYSLCKRC:
196 SYSLIBRC Automatic Macro Variable 4 Chapter 14
Value Description
<0 The last LOCK statement was completed, but a WARNING or NOTE was
written to the SAS log.
Details
The code reports whether the last LIBNAME statement executed correctly. SYSLIBRC
checks whether the SAS library referenced by the last LIBNAME statement exists. As
an example, you could use SYSLIBRC to confirm that a libref is allocated before you
attempt to access a permanent data set.
The following are values for SYSLIBRC:
Value Description
0 The last LIBNAME statement executed correctly.
Example
The following code, when submitted from the current SAS session, writes the
LOGAPPLNAME for the current SAS session to the log:
Automatic Macro Variables 4 SYSMSG Automatic Macro Variable 197
%put &syslogapplname;
Details
When referenced outside of an executing macro, SYSMACRONAME returns the null
string.
Details
The following are values for SYSMENV:
Value Description
S The macro currently executing was invoked as part of a SAS program.
D The macro currently executing was invoked from the command line of a SAS
window.
Details
Values assigned to SYSMSG do not require quotation marks. The value of SYSMSG is
set to null after each execution of a %DISPLAY statement.
198 SYSNCPU Automatic Macro Variable 4 Chapter 14
Example
This example shows that text assigned to SYSMSG is cleared after the %DISPLAY
statement.
%let sysmsg=Press ENTER to continue.;
%window start
#5 @28 ’Welcome to SAS’;
%display start;
When this program executes, the following is written to the SAS log:
Sysmsg is: **
Details
SYSNCPU is an automatic macro variable that provides the current value of the
CPUCOUNT option. For more information about CPUCOUNT system option, see the
SAS Language Reference: Dictionary.
Example
The following example shows the option CPUCOUNT set to 265.
options cpucount=265;
%put &sysncpu;
Details
The SYSODSPATH automatic macro variable contains the current ODS pathname.
Automatic Macro Variables 4 SYSPARM Automatic Macro Variable 199
Details
SYSPARM enables you to pass a character string from the operating environment to
SAS program steps and provides a means of accessing or using the string while a
program is executing. For example, you can use SYSPARM from the operating
environment to pass a title statement or a value for a program to process. You can also
set the value of SYSPARM within a SAS program. SYSPARM can be used anywhere in
a SAS program. The default value of SYSPARM is null (zero characters).
SYSPARM is most useful when specified at invocation of SAS. For details, see the
SAS documentation for your operating environment.
Note: The macro processor always stores the value of SYSPARM in unquoted form.
To quote the resolved value of SYSPARM, use the %SUPERQ macro quoting function. 4
Comparisons
3 Assigning a value to SYSPARM is the same as specifying a value for the
SYSPARM= system option.
3 Retrieving the value of SYSPARM is the same as using the SYSPARM() SAS
function.
Example
Macro variable SYSPARM supplies the name of the data set for PROC REPORT:
proc report data=&sysparm
report=test.resorces.priority.rept;
title "%sysfunc(date(),worddate.)";
title2;
title3 ’Active Projects By Priority’;
run;
Details
SYSPBUFF resolves to the text supplied as parameter values in the invocation of a
macro that is defined with the PARMBUFF option. For name-style invocations, this text
includes the parentheses and commas. Using the PARMBUFF option and SYSPBUFF,
you can define a macro that accepts a varying number of parameters at each invocation.
If the macro definition includes both a set of parameters and the PARMBUFF option,
the macro invocation causes the parameters to receive values and the entire invocation
list of values to be assigned to SYSPBUFF.
Example
Example 1: Using SYSPBUFF to Display Macro Parameter Values The macro PRINTZ
uses the PARMBUFF option to define a varying number of parameters and SYSPBUFF
to display the parameters specified at invocation.
%macro printz/parmbuff;
%put Syspbuff contains: &syspbuff;
%let num=1;
%let dsname=%scan(&syspbuff,&num);
%do %while(&dsname ne);
proc print data=&dsname;
run;
%let num=%eval(&num+1);
%let dsname=%scan(&syspbuff,&num);
%end;
%mend printz;
%printz(purple,red,blue,teal)
When this program executes, this line is written to the SAS log:
Syspbuff contains: (purple,red,blue,teal)
Details
The process ID is a 32–character hexadecimal string. The default value is null.
Automatic Macro Variables 4 SYSRC Automatic Macro Variable 201
Example
Example 1: Using SYSPROCESSID to Display the Current SAS Process ID The following
code writes the current SAS process ID to the SAS log:
%put &sysprocessid;
Example
Example 1: Using SYSPROCESSNAME to Display the Current SAS Process Name The
following statement writes the name of the current SAS process to the log:
%put &sysprocessname;
If you submit this statement in the SAS windowing environment of your second SAS
session, the following line is written to the SAS log:
DMS Process (2)
Details
The value of SYSPROCNAME contains the name of the procedure specified by the user
in the PROC statement until a step boundary is reached.
Details
The code returned by SYSRC is based on commands you execute using the X statement
in open code, the X command in a windowing environment, or the %SYSEXEC, %TSO,
or %CMS macro statements. Return codes are integers. The default value of SYSRC is
0.
You can use SYSRC to check the return code of a system command before you
continue with a job. For return code examples, see the SAS companion for your
operating environment.
Details
SYSSCP and SYSSCPL resolve to an abbreviation of the name of your operating
environment. In some cases, SYSSCPL provides a more specific value than SYSSCP.
You could use SYSSCP and SYSSCPL to check the operating environment to execute
appropriate system commands.
The following table lists the values for SYSSCP and SYSSCPL.
Table 14.1 SYSSCP and SYSSCPL Values for Platforms Running SAS 9.1.2 or
Later
z/OS OS z/OS
Example
Example 1: Deleting a Temporary File on a Platform Running SAS The macro
DELFILE locates the platform that is running SAS and deletes the TMP file. FILEREF
is a global macro variable that contains the fileref for the TMP file.
%macro delfile;
%if /* HP Unix */&sysscp=HP 800 or &sysscp=HP 300
%then
%do;
X "rm &fileref..TMP";
%end;
%else %if /* DOS-LIKE PLATFORMS */&sysscp=OS2 or &sysscp=WIN
%then
%do;
X "DEL &fileref..TMP";
%end;
%else %if /* CMS */&sysscp=CMS
%then
%do;
X "ERASE &fileref TEMP A";
%end;
%mend delfile;
Details
SAS assigns a site number to each site that licenses SAS software. The number
displays in the SAS log.
Details
The ID is a 32-character hexadecimal string that can be passed to the WAITSAS
statement or the ENDSAS statement. The default value is null.
Example
Example 1: Using SYSSTARTID to Display the SAS Process ID from the Most Recent
STARTSAS Statement Submit the following code from the SAS process in which you
have submitted the most recent STARTSAS statement to write the value of the
SYSSTARTID variable to the SAS log:
%put &sysstartid
Example
Example 1: Using SYSSTARTNAME to Display the SAS Process Name from the Most
Recent STARTSAS Statement Submit the following code from the SAS process in
Automatic Macro Variables 4 SYSUSERID Automatic Macro Variable 205
which you have submitted the most recent STARTSAS statement to write the value of
the SYSSTARTNAME variable to the SAS log:
%put &sysstartname;
An example of a process name that can appear in the SAS log is as follows:
DMS Process (2)
Details
SYSTCPIPHOSTNAME contains the host name of the system that is running multiple
TCPIP stacks. For more information about TCPIP stacks, see your SAS host companion
documentation.
Details
The value is displayed in TIME5. format and does not change during the individual
job or session.
Example
Example 1: Using SYSTIME to Display the Time that a SAS Session Started The
following statement displays the time a SAS session started.
%put This SAS session started running at: &systime;
When this statement executes at 3 p.m., but your SAS session began executing at
9:30 a.m., the following comment is written to the SAS log:
This SAS session started running at: 09:30
Example
Example 1: Using SYSUSERID to Display the Userid for the Current SAS Process The
following code, when submitted from the current SAS process, writes the userid or login
for the current SAS process to the SAS log:
%put &sysuserid;
Comparison
SYSVER provides the release number of the SAS software that is running. You can use
SYSVER to check for the release of SAS before running a job with newer features.
Example
Example 1: Identifying SAS Software Release The following statement displays the
release number of a user’s SAS software.
%put I am using release: &sysver;
Submitting this statement (for a user of SAS 6.12) writes the following to the SAS log:
I am using release: 6.12
Comparisons
SYSVLONG provides the release number and maintenance level of SAS software, in
addition to the release number.
Automatic Macro Variables 4 SYSWARNINGTEXT Automatic Macro Variable 207
Example
Example 1: Identifying a SAS Maintenance Release The following statement displays
information identifying the SAS release being used.
%put I am using maintenance release: &sysvlong;
Submitting this statement (for a user of SAS 6.12) writes the following to the SAS log:
I am using maintenance release: 6.12.0005P123199
Comparisons
SYSVLONG4 provides a four digit year and the release number and maintenance level
of SAS software. SYSVLONG does not contain the four digit year but everything else is
the same.
Example
The following statement displays information that identifies the SAS release being
used.
%put I am using maintenance release: &sysvlong4;
Submitting this statement (for a user of SAS 9.2) writes this comment to the SAS log:
I am using maintenance release: 9.02.01B0D09112007
Details
The value of SYSWARNINGTEXT is the text of the last warning message generated in
the SAS log. For a list of SYSERR warnings and errors, see “SYSERR Automatic Macro
Variable” on page 190.
208 SYSWARNINGTEXT Automatic Macro Variable 4 Chapter 14
Example
Example 1: Using SYSWARNINGTEXT This example creates a warning message:
data NULL;
set doesnotexist;
run;
%put &syswarningtext;
When these statements execute, the following comments are written to the SAS log:
1 data NULL;
2 set doesnotexist;
3 run;
NOTE: The SAS System stopped processing this step because of errors.
WARNING: The data set WORK.NULL might be incomplete. When this step was
stopped there were 0 observations and 0 variables.
NOTE: DATA statement used (Total process time):
real time 11.16 seconds
cpu time 0.07 seconds
4 %put &syswarningtext;
The data set WORK.NULL might be incomplete. When this step was stopped there
were 0 observations and 0 variables.
209
CHAPTER
15
DATA Step Call Routines for
Macros
Syntax
CALL EXECUTE (argument);
argument
can be one of the following:
3 a character string, enclosed in quotation marks. Argument within single
quotation marks resolves during program execution. Argument within double
quotation marks resolves while the DATA step is being constructed. For
example, to invoke the macro SALES, you can use the following code:
call execute(’%sales’);
3 the name of a DATA step character variable whose value is a text expression or
a SAS statement to be generated. Do not enclose the name of the DATA step
variable in quotation marks. For example, to use the value of the DATA step
variable FINDOBS, which contains a SAS statement or text expression, you can
use the following code:
call execute(findobs);
call execute(’%sales(’||month||’)’);
Details
If an EXECUTE routine argument is a macro invocation or resolves to one, the macro
executes immediately. However, any SAS statements produced by the EXECUTE
routine do not execute until after the step boundary has been passed.
Note: Because macro references execute immediately and SAS statements do not
execute until after a step boundary, you cannot use CALL EXECUTE to invoke a macro
that contains references for macro variables that are created by CALL SYMPUT in that
macro. See Chapter 8, “Interfaces with the Macro Facility,” on page 99, for an
example. 4
Comparisons
Unlike other elements of the macro facility, a CALL EXECUTE statement is available
regardless of the setting of the SAS system option MACRO|NOMACRO. In both cases,
EXECUTE places the value of its argument in the program stack. However, when
NOMACRO is set, any macro calls or macro functions in the argument are not resolved.
Examples
Example 1: Executing a Macro Conditionally The following DATA step uses CALL
EXECUTE to execute a macro only if the DATA step writes at least one observation to
the temporary data set.
%macro overdue;
proc print data=late;
title "Overdue Accounts As of &sysdate";
run;
%mend overdue;
data late;
set sasuser.billed end=final;
if datedue<=today()-30 then
do;
n+1;
output;
end;
if final and n then call execute(’%overdue’);
run;
Example 2: Passing DATA Step Values Into a Parameter List CALL EXECUTE passes
the value of the DATE variable in the DATES data set to macro REPT for its DAT
parameter, the value of the VAR1 variable in the REPTDATA data set for its A
parameter, and REPTDATA as the value of its DSN parameter. After the DATA
_NULL_ step finishes, three PROC GCHART statements are submitted, one for each of
the three dates in the DATES data set.
data dates;
input date $;
datalines;
10nov97
11nov97
12nov97
;
DATA Step Call Routines for Macros 4 CALL SYMDEL Routine 211
data reptdata;
input date $ var1 var2;
datalines;
10nov97 25 10
10nov97 50 11
11nov97 23 10
11nov97 30 29
12nov97 33 44
12nov97 75 86
;
%macro rept(dat,a,dsn);
proc chart data=&dsn;
title "Chart for &dat";
where(date="&dat");
vbar &a;
run;
%mend rept;
data _null_;
set dates;
call execute(’%rept(’||date||’,’||’var1,reptdata)’);
run;
Syntax
CALL SYMDEL(<macro-variable>(<macro-variable>< , option>));
macro-variable
can be any of the following:
3 the name of a macro variable within quotation marks but without an
ampersand. When a macro variable value contains another macro variable
reference, SYMDEL does not attempt to resolve the reference.
3 the name of a DATA step character variable, specified with no quotation marks,
which contains the name of a macro variable. If the value is not a valid SAS
name, or if the macro processor cannot find a macro variable of that name, SAS
writes a warning to the log.
3 a character expression that constructs a macro variable name.
212 CALL SYMPUT Routine 4 Chapter 15
option(s)
NOWARN
suppresses the warning message when an attempt is made to delete a non-existent
macro variable.
Details
Call SYMDEL issues a warning when an attempt is made to delete a non-existent
macro variable. To suppress this message, use the NOWARN option.
Syntax
CALL SYMPUT(macro-variable, value);
macro-variable
can be one of the following items:
3 a character string that is a SAS name, enclosed in quotation marks. For
example, to assign the character string testing to macro variable NEW, submit
the following statement:
call symput(’new’,’testing’);
3 the name of a character variable whose values are SAS names. For example,
this DATA step creates the three macro variables SHORTSTP, PITCHER, and
FRSTBASE and respectively assign them the values ANN, TOM, and BILL.
data team1;
input position : $8. player : $12.;
call symput(position,player);
datalines;
shortstp Ann
pitcher Tom
frstbase Bill
;
value
is the value to be assigned, which can be
3 a string enclosed in quotation marks. For example, this statement assigns the
string testing to the macro variable NEW:
call symput(’new’,’testing’);
3 the name of a numeric or character variable. The current value of the variable
is assigned as the value of the macro variable. If the variable is numeric, SAS
performs an automatic numeric-to-character conversion and writes a message in
the log. Later sections on formatting rules describe the rules that SYMPUT
follows in assigning character and numeric values of DATA step variables to
macro variables.
Note: This form is most useful when macro-variable is also the name of a
SAS variable or a character expression that contains a SAS variable because a
unique macro variable name and value can be created from each observation, as
shown in the previous example for creating the data set TEAM1. 4
If macro-variable is a character string, SYMPUT creates only one macro
variable, and its value changes in each iteration of the program. Only the value
assigned in the last iteration remains after program execution is finished.
3 a DATA step expression. The value returned by the expression in the current
observation is assigned as the value of macro-variable. In this example, the
macro variable named HOLDATE receives the value July 4,1997:
data c;
input holiday mmddyy.;
call symput(’holdate’,trim(left(put(holiday,worddate.))));
datalines;
070497
;
run;
Details
If macro-variable does not exist, SYMPUT creates it. SYMPUT makes a macro variable
assignment when the program executes.
SYMPUT can be used in all SAS language programs, including SCL programs.
Because it resolves variables at program execution instead of macro execution,
SYMPUT should be used to assign macro values from DATA step views, SQL views, and
SCL programs.
214 CALL SYMPUT Routine 4 Chapter 15
Concepts
Scope of Variables Created with SYMPUT SYMPUT puts the macro variable in the
most local nonempty symbol table. A symbol table is nonempty if it contains the
following:
3 a value
3 a computed %GOTO (A computed %GOTO contains % or & and resolves to a label.)
3 the macro variable &SYSPBUFF, created at macro invocation time.
However, there are three cases where SYMPUT creates the variable in the local
symbol table, even if that symbol table is empty:
3 Beginning with Version 8, if SYMPUT is used after a PROC SQL, the variable will
be created in a local symbol table.
3 If an executing macro contains a computed %GOTO statement and uses SYMPUT
to create a macro variable, the variable is created in the local symbol table.
3 If an executing macro uses &SYSPBUFF and SYMPUT to create a macro variable,
the macro variable is created in the local symbol table.
For more information about creating a variable with SYMPUT, see Chapter 5,
“Scopes of Macro Variables,” on page 43.
proc print;
title "Report for &var";
run;
by seven trailing blanks as the value of CHAR1. To eliminate the blanks, use the TRIM
function as shown in the second SYMPUT statement.
data char1;
input c $;
call symput(’char1’,c);
call symput(’char2’,trim(c));
datalines;
x
;
run;
When this program executes, these lines are written to the SAS log:
char1 = ***x ***
char2 = ***x***
When this program executes, these lines are written to the SAS log:
num1 = *** 1***
num2 = ***1 ***
num3 = ***1***
Comparisons
3 SYMPUT assigns values produced in a DATA step to macro variables during
program execution, but the SYMGET function returns values of macro variables to
the program during program execution.
3 SYMPUT is available in DATA step and SCL programs, but SYMPUTN is
available only in SCL programs.
3 SYMPUT assigns character values, but SYMPUTN assigns numeric values.
Example
Example 1: Creating Macro Variables and Assigning Them Values from a Data Set
data dusty;
input dept $ name $ salary @@;
216 CALL SYMPUTN Routine 4 Chapter 15
datalines;
bedding Watlee 18000 bedding Ives 16000
bedding Parker 9000 bedding George 8000
bedding Joiner 8000 carpet Keller 20000
carpet Ray 12000 carpet Jones 9000
gifts Johnston 8000 gifts Matthew 19000
kitchen White 8000 kitchen Banks 14000
kitchen Marks 9000 kitchen Cannon 15000
tv Jones 9000 tv Smith 8000
tv Rogers 15000 tv Morse 16000
;
data _null_;
set stats;
if _n_=1 then call symput(’s_tot’,trim(left(s_sal)));
else call symput(’s’||dept,trim(left(s_sal)));
run;
%put _user_;
When this program executes, this list of variables is written to the SAS log:
GLOBAL SCARPET 41000
GLOBAL SKITCHEN 46000
GLOBAL STV 48000
GLOBAL SGIFTS 27000
GLOBAL SBEDDING 59000
GLOBAL S_TOT 221000
Syntax
CALL SYMPUTN(’macro-variable’, value);
DATA Step Call Routines for Macros 4 CALL SYMPUTX Routine 217
macro-variable
is the name of a global macro variable with no ampersand – note the single quotation
marks. Or, it is the name of an SCL variable that contains the name of a global
macro variable.
value
is the numeric value to assign, which can be a number or the name of a numeric SCL
variable.
Details
The SYMPUTN routine assigns a numeric value to a global SAS macro variable.
SYMPUTN assigns the value when the SCL program executes. You can also use
SYMPUTN to assign the value of a macro variable whose name is stored in an SCL
variable. For example, to assign the value of SCL variable UNITNUM to SCL variable
UNITVAR, which contains ’UNIT’, submit the following:
call symputn(unitvar,unitnum)
Comparisons
3 SYMPUTN assigns numeric values, but SYMPUT assigns character values.
3 SYMPUTN is available only in SCL programs, but SYMPUT is available in DATA
step programs and SCL programs.
3 SYMPUTN assigns numeric values, but SYMGETN retrieves numeric values.
Example
Example 1: Storing the Value 1000 in The Macro Variable UNIT When the SCL Program
Executes This statement stores the value 1000 in the macro variable UNIT when the
SCL program executes:
call symputn(’unit’,1000);
Syntax
CALL SYMPUTX(macro-variable, value <,symbol-table>);
218
219
CHAPTER
16
DATA Step Functions for Macros
RESOLVE Function
Resolves the value of a text expression during DATA step execution.
Type: DATA step function
Syntax
RESOLVE(argument)
argument
can be one of the following items:
3 a text expression enclosed in single quotation marks (to prevent the macro
processor from resolving the argument while the DATA step is being
constructed). When a macro variable value contains a macro variable reference,
RESOLVE attempts to resolve the reference. If argument references a
nonexistent macro variable, RESOLVE returns the unresolved reference. These
examples using text expressions show how to assign the text generated by
macro LOCATE or assign the value of the macro variable NAME:
x=resolve(’%locate’);
x=resolve(’&name’);
3 the name of a DATA step variable whose value is a text expression. For
example, this example assigns the value of the text expression in the current
value of the DATA step variable ADDR1 to X:
addr1=’&locate’;
x=resolve(addr1);
Details
The RESOLVE function returns a character value that is the maximum length of a
DATA step character variable unless you specifically assign the target variable a
shorter length. A returned value that is longer is truncated.
220 SYMEXIST Function 4 Chapter 16
If RESOLVE cannot locate the macro variable or macro identified by the argument, it
returns the argument without resolution and the macro processor issues a warning
message.
You can create a macro variable with the SYMPUT routine and use RESOLVE to
resolve it in the same DATA step.
Comparisons
3 RESOLVE resolves the value of a text expression during execution of a DATA step
or SCL program, whereas a macro variable reference resolves when a DATA step
is being constructed or an SCL program is being compiled. For this reason, the
resolved value of a macro variable reference is constant during execution of a
DATA step or SCL program. However, RESOLVE can return a different value for a
text expression in each iteration of the program.
3 RESOLVE accepts a wider variety of arguments than the SYMGET function
accepts. SYMGET resolves only a single macro variable but RESOLVE resolves
any macro expression. Using RESOLVE might result in the execution of macros
and resolution of more than one macro variable.
3 When a macro variable value contains an additional macro variable reference,
RESOLVE attempts to resolve the reference, but SYMGET does not.
3 If argument references a nonexistent macro variable, RESOLVE returns the
unresolved reference, whereas SYMGET returns a missing value.
3 Because of its greater flexibility, RESOLVE requires slightly more computer
resources than SYMGET.
Example
Example 1: Resolving Sample References This example shows RESOLVE used with a
macro variable reference, a macro invocation, and a DATA step variable whose value is
a macro invocation.
%let event=Holiday;
%macro date;
New Year
%mend date;
data test;
length var1-var3 $ 15;
when=’%date’;
var1=resolve(’&event’); /* macro variable reference */
var2=resolve(’%date’); /* macro invocation */
var3=resolve(when); /* DATA step variable with macro invocation */
When this program executes, these lines are written to the SAS log:
VAR1=Holiday VAR2=New Year VAR3=New Year
NOTE: The data set WORK.TEST has 1 observations and 4 variables.
SYMEXIST Function
Returns an indication of the existence of a macro variable.
DATA Step Functions for Macros 4 SYMEXIST Function 221
Syntax
SYMEXIST (argument)
Required Argument
argument
can be one of the following items:
3 the name of a macro variable within quotation marks but without an ampersand
3 the name of a DATA step character variable, specified with no quotation marks,
which contains a macro variable name
3 a character expression that constructs a macro variable name
Details
The SYMEXIST function searches any enclosing local symbol tables and then the global
symbol table for the indicated macro variable and returns a value of 1 if the macro
variable is found or a value of 0 if the macro variable is not found.
Examples
The following example of the %TEST macro contains the SYMEXIST function:
%global x;
%macro test;
%local y;
data null;
if symexist("x") then put "x EXISTS";
else put "x does not EXIST";
if symexist("y") then put "y EXISTS";
else put "y does not EXIST";
if symexist("z") then put "z EXISTS";
else put "z does not EXIST";
run;
%mend test;
%test;
In the previous example, executing the %TEST macro, which contains the SYMEXIST
function, writes the following output to the SAS log:
x EXISTS
y EXISTS
z does not EXIST
222 SYMGET Function 4 Chapter 16
SYMGET Function
Returns the value of a macro variable to the DATA step during DATA step execution.
Type: DATA step function
See also:
“RESOLVE Function” on page 219
“SYMGETN Function” on page 225
“CALL SYMPUT Routine” on page 212
“CALL SYMPUTN Routine” on page 216
Syntax
SYMGET(argument)
argument
can be one of the following items:
3 the name of a macro variable within quotation marks but without an
ampersand. When a macro variable value contains another macro variable
reference, SYMGET does not attempt to resolve the reference. If argument
references a nonexistent macro variable, SYMGET returns a missing value.
This example shows how to assign the value of the macro variable G to the
DATA step variable X.
x=symget(’g’);
3 the name of a DATA step character variable, specified with no quotation marks,
which contains names of one or more macro variables. If the value is not a valid
SAS name, or if the macro processor cannot find a macro variable of that name,
SAS writes a note to the log that the function has an illegal argument and sets
the resulting value to missing. For example, these statements assign the value
stored in the DATA step variable CODE, which contains a macro variable name,
to the DATA step variable KEY:
length key $ 8;
input code $;
key=symget(code);
Each time the DATA step iterates, the value of CODE supplies the name of a
macro variable whose value is then assigned to KEY.
3 a character expression that constructs a macro variable name. For example,
this statement assigns the letter s and the number of the current iteration
(using the automatic DATA step variable _N_).
score=symget(’s’||left(_n_));
Details
SYMGET returns a character value that is the maximum length of a DATA step
character variable. A returned value that is longer is truncated.
If SYMGET cannot locate the macro variable identified as the argument, it returns a
missing value, and the program issues a message for an illegal argument to a function.
DATA Step Functions for Macros 4 SYMGET Function 223
SYMGET can be used in all SAS language programs, including SCL programs.
Because it resolves variables at program execution instead of macro execution,
SYMGET should be used to return macro values to DATA step views, SQL views, and
SCL programs.
Comparisons
3 SYMGET returns values of macro variables during program execution, whereas
the SYMPUT function assigns values that are produced by a program to macro
variables during program execution.
3 SYMGET accepts fewer types of arguments than the RESOLVE function.
SYMGET resolves only a single macro variable. Using RESOLVE might result in
the execution of macros and further resolution of values.
3 SYMGET is available in all SAS programs, but SYMGETN is available only in
SCL programs.
Example
Example 1: Retrieving Variable Values Previously Assigned from a Data Set
data dusty;
input dept $ name $ salary @@;
datalines;
bedding Watlee 18000 bedding Ives 16000
bedding Parker 9000 bedding George 8000
bedding Joiner 8000 carpet Keller 20000
carpet Ray 12000 carpet Jones 9000
gifts Johnston 8000 gifts Matthew 19000
kitchen White 8000 kitchen Banks 14000
kitchen Marks 9000 kitchen Cannon 15000
tv Jones 9000 tv Smith 8000
tv Rogers 15000 tv Morse 16000
;
data _null_;
set stats;
if _n_=1 then call symput(’s_tot’,s_sal);
else call symput(’s’||dept,s_sal);
run;
data new;
set dusty;
pctdept=(salary/symget(’s’||dept))*100;
224 SYMGET Function 4 Chapter 16
pcttot=(salary/&s_tot)*100;
run;
1 221000
2 bedding 59000
3 carpet 41000
4 gifts 27000
5 kitchen 46000
6 tv 48000
Percent of Percent of
Department Store
OBS Department Employee SALARY Salary Salary
SYMGETN Function
In SAS Component Control Language (SCL) programs, returns the value of a global macro variable
as a numeric value.
Syntax
SCL-variable=SYMGETN(’macro-variable’);
SCL variable
is the name of a numeric SCL variable to contain the value stored in macro-variable.
macro-variable
is the name of a global macro variable with no ampersand – note the single quotation
marks. Or, the name of an SCL variable that contains the name of a global macro
variable.
Details
SYMGETN returns the value of a global macro variable as a numeric value and stores it
in the specified numeric SCL variable. You can also use SYMGETN to retrieve the value
of a macro variable whose name is stored in an SCL variable. For example, to retrieve
the value of SCL variable UNITVAR, whose value is ’UNIT’, submit the following code:
unitnum=symgetn(unitvar)
SYMGETN returns values when SCL programs execute. If SYMGETN cannot locate
macro-variable, it returns a missing value.
To return the value stored in a macro variable when an SCL program compiles, use a
macro variable reference in an assignment statement:
SCL variable=¯o-variable;
Note: It is inefficient to use SYMGETN to retrieve values that are not assigned with
SYMPUTN and values that are not numeric. 4
Comparisons
3 SYMGETN is available only in SCL programs, but SYMGET is available in DATA
step programs and SCL programs.
3 SYMGETN retrieves values, but SYMPUTN assigns values.
226 SYMGLOBL Function 4 Chapter 16
Example
Example 1: Storing a Macro Variable Value as a Numeric Value In an SCL
Program This statement stores the value of the macro variable UNIT in the SCL
variable UNITNUM when the SCL program executes:
unitnum=symgetn(’unit’);
SYMGLOBL Function
Returns an indication as to whether a macro variable is global in scope to the DATA step during
DATA step execution.
Type: DATA step function
Syntax
SYMGLOBL (argument)
Required Argument
argument
can be one of the following items:
3 the name of a macro variable within quotation marks but without an ampersand
3 the name of a DATA step character variable, specified with no quotation marks,
that contains a macro variable name
3 a character expression that constructs a macro variable name
Details
The SYMGLOBL function searches enclosing scopes for the indicated macro variable
and returns a value of 1 if the macro variable is found in the global symbol table,
otherwise it returns a 0. See Chapter 5, “Scopes of Macro Variables,” on page 43 for
more information about the global and local symbol tables and macro variable scopes.
Examples
The following example of the %TEST macro contains the SYMGLOBL function:
%global x;
%macro test;
%local y;
data null;
if symglobl("x") then put "x is GLOBAL";
else put "x is not GLOBAL";
if symglobl("y") then put "y is GLOBAL";
else put "y is not GLOBAL";
if symglobl("z") then put "z is GLOBAL";
else put "z is not GLOBAL";
DATA Step Functions for Macros 4 SYMLOCAL Function 227
run;
%mend test;
%test;
In the previous example, executing the %TEST macro, which contains the SYMGLOBL
function, writes the following output to the SAS log:
x is GLOBAL
y is not GLOBAL
z is not GLOBAL
SYMLOCAL Function
Returns an indication as to whether a macro variable is local in scope to the DATA step during
DATA step execution.
Type: DATA step function
Syntax
SYMLOCAL (argument)
Required Argument
argument
can be one of the following items:
3 the name of a macro variable within quotation marks but without an ampersand
3 the name of a DATA step character variable, specified with no quotation marks,
that contains a macro variable name
3 a character expression that constructs a macro variable name
Details
The SYMLOCAL function searches enclosing scopes for the indicated macro variable
and returns a value of 1 if the macro variable is found in a local symbol table, otherwise
it returns a 0. See Chapter 5, “Scopes of Macro Variables,” on page 43 for more
information about the global and local symbol tables and macro variable scopes.
Examples
The following example of the %TEST macro contains the SYMLOCAL function:
%global x;
%macro test;
228 SYMLOCAL Function 4 Chapter 16
%local y;
data null;
if symlocal("x") then put "x is LOCAL";
else put "x is not LOCAL";
if symlocal("y") then put "y is LOCAL";
else put "y is not LOCAL";
if symlocal("z") then put "z is LOCAL";
else put "z is not LOCAL";
run;
%mend test;
%test;
In the previous example, executing the %TEST macro, which contains the SYMLOCAL
function, writes the following output to the SAS log:
x is not LOCAL
y is LOCAL
z is not LOCAL
229
CHAPTER
17
Macro Functions
Syntax
%BQUOTE (character string | text expression)
%NRBQUOTE (character string | text expression)
Details
The %BQUOTE and %NRBQUOTE functions mask a character string or resolved value
of a text expression during execution of a macro or macro language statement. They
mask the following special characters and mnemonic operators:
’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
%NRBQUOTE is most useful when the resolved value of an argument might contain
3 strings that look like macro variable references but are not, so the macro processor
should not attempt to resolve them when it next encounters them.
3 macro invocations that you do not want the macro processor to attempt to resolve
when it next encounters them.
Note: The maximum level of nesting for the macro quoting functions is 10. 4
Tip
You can use %BQUOTE and %NRBQUOTE for all execution-time macro quoting
because they mask all characters and mnemonic operators that can be interpreted as
elements of macro language.
230 %EVAL Function 4 Chapter 17
Comparisons
%NRBQUOTE and the %SUPERQ function mask the same items. However, %SUPERQ
does not attempt to resolve a macro variable reference or a macro invocation that occurs
in the value of the specified macro variable. %NRBQUOTE does attempt to resolve
such references.%BQUOTE and %NRBQUOTE do not require that you mark quotation
marks, and matching parentheses are not required.
Example
Example 1: Quoting a Variable This example tests whether a filename passed to the
macro FILEIT starts with a quotation mark. Based on that evaluation, the macro
creates the correct FILE command.
%macro fileit(infile);
%if %bquote(&infile) NE %then
%do;
%let char1 = %bquote(%substr(&infile,1,1));
%if %bquote(&char1) = %str(%’)
or %bquote(&char1) = %str(%")
%then %let command=FILE &infile;
%else %let command=FILE "&infile";
%end;
%put &command;
%mend fileit;
%fileit(myfile)
%fileit(’myfile’)
%EVAL Function
Evaluates arithmetic and logical expressions using integer arithmetic.
Type: Macro evaluation function
See also: “%SYSEVALF Function” on page 251
Syntax
%EVAL (arithmetic or logical expression)
Macro Functions 4 %EVAL Function 231
Details
The %EVAL function evaluates integer arithmetic or logical expressions. %EVAL
operates by converting its argument from a character value to a numeric or logical
expression. Then, it performs the evaluation. Finally, %EVAL converts the result back
to a character value and returns that value.
If all operands can be interpreted as integers, the expression is treated as arithmetic.
If at least one operand cannot be interpreted as numeric, the expression is treated as
logical. If a division operation results in a fraction, the fraction is truncated to an
integer.
Logical, or Boolean, expressions return a value that is evaluated as true or false. In
the macro language, any numeric value other than 0 is true and a value of 0 is false.
%EVAL accepts only operands in arithmetic expressions that represent integers (in
standard or hexadecimal form). Operands that contain a period character cause an
error when they are part of an integer arithmetic expression. The following examples
show correct and incorrect usage, respectively:
%let d=%eval(10+20); /* Correct usage */
%let d=%eval(10.0+20.0); /* Incorrect usage */
Because %EVAL does not convert a value containing a period to a number, the
operands are evaluated as character operands. When %EVAL encounters a value
containing a period, it displays an error message about finding a character operand
where a numeric operand is required.
An expression that compares character values in the %EVAL function uses the sort
sequence of the operating environment for the comparison. Refer to “The SORT
PROCEDURE” in the Base SAS Procedures Guide for more information about operating
environment sort sequences.
All parts of the macro language that evaluate expressions (for example, %IF and
%DO statements) call %EVAL to evaluate the condition. For a complete discussion of
how macro expressions are evaluated, see Chapter 6, “Macro Expressions,” on page 69.
Comparisons
%EVAL performs integer evaluations, but %SYSEVALF performs floating point
evaluations.
Examples
Example 1: Illustrating Integer Arithmetic Evaluation These statements illustrate
different types of evaluations:
%let a=1+2;
%let b=10*3;
%let c=5/3;
%let eval_a=%eval(&a);
%let eval_b=%eval(&b);
%let eval_c=%eval(&c);
When these statements are submitted, the following is written to the SAS log:
232 %INDEX Function 4 Chapter 17
1+2 is 3
10*3 is 30
5/3 is 1
The third %PUT statement shows that %EVAL discards the fractional part when it
performs division on integers that would result in a fraction:
Example 2: Incrementing a Counter The macro TEST uses %EVAL to increment the
value of the macro variable I by 1. Also, the %DO %WHILE statement calls %EVAL to
evaluate whether I is greater than the value of the macro variable FINISH.
%macro test(finish);
%let i=1;
%do %while (&i<&finish);
%put the value of i is &i;
%let i=%eval(&i+1);
%end;
%mend test;
%test(5)
When this program executes, these lines are written to the SAS log:
The value of i is 1
The value of i is 2
The value of i is 3
The value of i is 4
%compare(1,2)
%compare(-1,0)
When this program executes, these lines are written to the SAS log:
1 < 2
-1 < 0
%INDEX Function
Returns the position of the first character of a string.
Type: Macro function
Syntax
%INDEX (source, string)
Macro Functions 4 %LENGTH Function 233
source
is a character string or text expression.
string
is a character string or text expression.
Details
The %INDEX function searches source for the first occurrence of string and returns the
position of its first character. If string is not found, the function returns 0.
Example
Example 1: Locating a Character The following statements find the first character V
in a string:
%let a=a very long value;
%let b=%index(&a,v);
%put V appears at position &b..;
When these statements execute, the following line is written to the SAS log:
V appears at position 3.
%LENGTH Function
Returns the length of a string.
Type: Macro function
Syntax
%LENGTH (character string | text expression)
Details
If the argument is a character string, %LENGTH returns the length of the string. If
the argument is a text expression, %LENGTH returns the length of the resolved value.
If the argument has a null value, %LENGTH returns 0.
Example
Example 1: Returning String Lengths The following statements find the lengths of
character strings and text expressions.
%let a=Happy;
%let b=Birthday;
234 %NRBQUOTE Function 4 Chapter 17
When these statements execute, the following is written to the SAS log:
The length of Happy is 5.
The length of Birthday is 8.
The length of Happy Birthday To You is 21.
%NRBQUOTE Function
Masks special characters, including & and %, and mnemonic operators in a resolved value at
macro execution.
Type: Macro quoting function
Syntax
%NRBQUOTE (character string | text expression)
See “%BQUOTE and %NRBQUOTE Functions” on page 229
Note: The maximum level of nesting for the macro quoting functions is 10. 4
%NRQUOTE Function
Masks special characters, including & and %, and mnemonic operators in a resolved value at
macro execution.
Type: Macro quoting function
Syntax
%NRQUOTE (character string | text expression)
Note: The maximum level of nesting for the macro quoting functions is 10. 4
%NRSTR Function
Masks special characters, including & and %, and mnemonic operators in constant text during
macro compilation.
Type: Macro quoting function
Macro Functions 4 %QSYSFUNC Function 235
Syntax
%NRSTR (character-string)
Note: The maximum level of nesting for the macro quoting functions is 10. 4
%QSCAN Function
Searches for a word and masks special characters and mnemonic operators.
Type: Macro function
Syntax
%QSCAN (argument,n<,charlist< ,modifiers>>)
See “%SCAN and %QSCAN Functions” on page 238 .
%QSUBSTR Function
Produces a substring and masks special characters and mnemonic operators.
Type: Macro function
Syntax
%QSUBSTR (argument, position<, length>)
See “%SUBSTR and %QSUBSTR Functions” on page 244.
%QSYSFUNC Function
Executes functions and masks special characters and mnemonic operators.
Type: Macro function
Syntax
%QSYSFUNC (function(argument-1 <...argument-n>)< , format>)
See “%SYSFUNC and %QSYSFUNC Functions” on page 253.
236 %QUOTE and %NRQUOTE Functions 4 Chapter 17
Syntax
%QUOTE (character string | text expression)
%NRQUOTE (character string | text expression)
Details
The %QUOTE and %NRQUOTE functions mask a character string or resolved value of
a text expression during execution of a macro or macro language statement. They mask
the following special characters and mnemonic operators:
+ − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
They also mask the following characters when they occur in pairs and when they are
not matched and are marked by a preceding %:
’ "
Comparisons
3 %QUOTE and %NRQUOTE mask the same items as %STR and %NRSTR,
respectively. However, %STR and %NRSTR mask constant text instead of a
resolved value. And, %STR and %NRSTR work when a macro compiles, while
%QUOTE and %NRQUOTE work when a macro executes.
3 The %BQUOTE and %NRBQUOTE functions do not require that quotation marks
without a match be marked with a preceding %, while %QUOTE and %NRQUOTE
do. %BQUOTE and %NRBQUOTE do not require matching parentheses but other
quoting functions do require matching parentheses.
Macro Functions 4 %QUPCASE Function 237
3 %QUOTE and %NRQUOTE mask resolved values, while the %SUPERQ function
prevents resolution of any macro invocations or macro variable references that
might occur in a value.
Example
Example 1: Quoting a Value that Might Contain a Mnemonic Operator The macro
DEPT1 receives abbreviations for states and therefore might receive the value OR for
Oregon.
%macro dept1(state);
/* without %quote -- problems might occur */
%if &state=nc %then
%put North Carolina Department of Revenue;
%else %put Department of Revenue;
%mend dept1;
%dept1(or)
When the macro DEPT1 executes, the %IF condition executes a %EVAL function,
which evaluates or as a logical operator in this expression. Then the macro processor
produces an error message for an invalid operand in the expression or=nc.
The macro DEPT2 uses the %QUOTE function to treat characters that result from
resolving &STATE as text:
%macro dept2(state);
/* with %quote function--problems are prevented */
%if %quote(&state)=nc %then
%put North Carolina Department of Revenue;
%else %put Department of Revenue;
%mend dept2;
%dept2(or)
The %IF condition now compares the strings or and nc and writes to the SAS log:
Department of Revenue
%QUPCASE Function
Converts a value to uppercase and returns a result that masks special characters and mnemonic
operators.
Type: Macro function
Syntax
%QUPCASE (character string | text expression)
See “%UPCASE and %QUPCASE Functions” on page 260.
238 %SCAN and %QSCAN Functions 4 Chapter 17
Syntax
%SCAN(argument, n<,charlist < ,modifiers>>)
%QSCAN(argument, n< ,charlist <,modifiers>>)
argument
is a character string or a text expression. If argument might contain a special
character or mnemonic operator, listed below, use %QSCAN. If argument contains a
comma, enclose argument in a quoting function such as %BQUOTE(argument).
n
is an integer or a text expression that yields an integer, which specifies the position
of the word to return. (An implied %EVAL gives n numeric properties.) If n is
greater than the number of words in argument, the functions return a null string.
Note: When you are using Version 8 or greater, if n is negative, %SCAN examines
the character string and selects the word that starts at the end of the string and
searches backward. 4
charlist
specifies an optional character expression that initializes a list of characters. This
list determines which characters are used as the delimiters that separate words. The
following rules apply:
3 By default, all characters in charlist are used as delimiters.
3 If you specify the K modifier in the modifier argument, then all characters that
are not in charlist are used as delimiters.
Tip: You can add more characters to charlist by using other modifiers.
modifier
specifies a character constant, a variable, or an expression in which each non-blank
character modifies the action of the %SCAN function. Blanks are ignored. You can
use the following characters as modifiers:
a or A adds alphabetic characters to the list of characters.
b or B scans backward from right to left instead of from left to right,
regardless of the sign of the count argument.
c or C adds control characters to the list of characters.
d or D adds digits to the list of characters.
Macro Functions 4 %SCAN and %QSCAN Functions 239
Details
The %SCAN and %QSCAN functions search argument and return the nth word. A word
is one or more characters separated by one or more delimiters.
%SCAN does not mask special characters or mnemonic operators in its result, even
when the argument was previously masked by a macro quoting function. %QSCAN
masks the following special characters and mnemonic operators in its result:
& % ’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
modifier argument. In this case, the lists of default delimiters for ASCII and EBCDIC
environments are not used. In other words, modifiers add to the list of delimiters that
are specified by the charlist argument. Modifiers do not add to the list of default
modifiers.
Comparisons
%QSCAN masks the same characters as the %NRBQUOTE function.
Example
Example 1: Comparing the Actions of %SCAN and %QSCAN This example illustrates
the actions of %SCAN and %QSCAN.
%macro a;
aaaaaa
%mend a;
%macro b;
bbbbbb
%mend b;
%macro c;
cccccc
242 %STR and %NRSTR Functions 4 Chapter 17
%mend c;
%let x=%nrstr(%a*%b*%c);
%put X: &x;
%put The third word in X, with SCAN: %scan(&x,3,*);
%put The third word in X, with QSCAN: %qscan(&x,3,*);
Syntax
%STR (character-string)
%NRSTR (character-string)
Details
The %STR and %NRSTR functions mask a character string during compilation of a
macro or macro language statement. They mask the following special characters and
mnemonic operators:
+ − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
They also mask the following characters when they occur in pairs and when they are
not matched and are marked by a preceding %:
’ " ( )
Argument Use
percent sign before a quotation mark - for percent sign with quotation mark
example, %’ or %”,
percent sign before a parenthesis - for example, two percent signs (%%):
%( or %) EXAMPLE: %let x=%str(20%%);
character string with the comment symbols /* or %STR with each character
–> EXAMPLE: %str(/) %str(*) comment-text
%str(*)%str(/)
CAUTION:
Do not use %STR to enclose other macro functions or macro invocations that have a list of
parameter values. Because %STR masks parentheses without a match, the macro
processor does not recognize the arguments of a function or the parameter values of a
macro invocation. 4
For a description of quoting in SAS macro language, see Chapter 7, “Macro Quoting,”
on page 77.
Note: The maximum level of nesting for macro quoting functions is 10. 4
Comparisons
3 Of all the macro quoting functions, only %NRSTR and %STR take effect during
compilation. The other macro quoting functions take effect when a macro executes.
3 %STR and %NRSTR mask the same items as %QUOTE and %NRQUOTE.
However, %QUOTE and %NRQUOTE work during macro execution.
3 If resolution of a macro expression produces items that need to be masked, use the
%BQUOTE or %NRBQUOTE function instead of the %STR or %NRSTR function.
Examples
Example 1: Maintaining Leading Blanks This example enables the value of the macro
variable TIME to contain leading blanks.
%let time=%str( now);
244 %SUBSTR and %QSUBSTR Functions 4 Chapter 17
When this example is executed, these lines are written to the SAS log:
Text followed by the value of time: now
When this program executes, these lines are written to the SAS log:
The string contains 6 words.
Example 3: Quoting a Value That May Contain a Macro Reference The macro REVRS
reverses the characters produced by the macro TEST. %NRSTR in the %PUT statement
protects %test&test so that it is compiled as text and not interpreted.
%macro revrs(string);
%local nstring;
%do i=%length(&string) %to 1 %by -1;
%let nstring=&nstring%qsubstr(&string,&i,1);
%end;nstring
%mend revrs;
%macro test;
Two words
%mend test;
When this program executes, these linesare written to the SAS log:
%test&test - tset&sdrow owT
Syntax
%SUBSTR (argument, position< , length>)
%QSUBSTR (argument, position<, length>)
argument
is a character string or a text expression. If argument might contain a special
character or mnemonic operator, listed below, use %QSUBSTR.
position
is an integer or an expression (text, logical, or arithmetic) that yields an integer,
which specifies the position of the first character in the substring. If position is
greater than the number of characters in the string, %SUBSTR and %QSUBSTR
issue a warning message and return a null value. An automatic call to %EVAL
causes n to be treated as a numeric value.
length
is an optional integer or an expression (text, logical, or arithmetic) that yields an
integer that specifies the number of characters in the substring. If length is greater
than the number of characters following position in argument, %SUBSTR and
%QSUBSTR issue a warning message and return a substring containing the
characters from position to the end of the string. By default, %SUBSTR and
%QSUBSTR produce a string containing the characters from position to the end of
the character string.
Details
The %SUBSTR and %QSUBSTR functions produce a substring of argument, beginning
at position, for length number of characters.
%SUBSTR does not mask special characters or mnemonic operators in its result,
even when the argument was previously masked by a macro quoting function.
%QSUBSTR masks the following special characters and mnemonic operators:
& % ’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
Comparisons
%QSUBSTR masks the same characters as the %NRBQUOTE function.
Examples
Example 1: Limiting a Fileref to Eight Characters The macro MAKEFREF uses
%SUBSTR to assign the first eight characters of a parameter as a fileref, in case a user
assigns one that is longer.
%macro makefref(fileref,file);
%if %length(&fileref) gt 8 %then
%let fileref = %substr(&fileref,1,8);
filename &fileref "&file";
%mend makefref;
%makefref(humanresource,/dept/humanresource/report96)
Example 2: Storing a Long Macro Variable Value In Segments The macro SEPMSG
separates the value of the macro variable MSG into 40-character units and stores each
unit in a separate variable.
%macro sepmsg(msg);
%let i=1;
%let start=1;
%if %length(&msg)>40 %then
%do;
%do %until(%length(&&msg&i)<40);
%let msg&i=%qsubstr(&msg,&start,40);
%put Message &i is: &&msg&i;
%let i=%eval(&i+1);
%let start=%eval(&start+40);
%let msg&i=%qsubstr(&msg,&start);
%end;
%put Message &i is: &&msg&i;
%end;
%else %put No subdivision was needed.;
%mend sepmsg;
When this program executes, these lines are written to the SAS log:
Message 1 is: A character operand was found in the %EV
Message 2 is: AL function or %IF condition where a nu
Message 3 is: meric operand is required. A character
Message 4 is: operand was found in the %EVAL function
Message 5 is: or %IF condition where a numeric operan
Message 6 is: d is required.
%put C: &c;
%put With SUBSTR: %substr(&c,1,2);
%put With QSUBSTR: %qsubstr(&c,1,2);
When these statements execute, these lines are written to the SAS log:
C: &a &b
With SUBSTR: one
With QSUBSTR: &a
Macro Functions 4 %SUPERQ Function 247
%SUPERQ Function
Masks all special characters and mnemonic operators at macro execution but prevents further
resolution of the value.
Type: Macro quoting function
See also:
“%NRBQUOTE Function” on page 234
“%BQUOTE and %NRBQUOTE Functions” on page 229
Syntax
%SUPERQ (argument)
argument
is the name of a macro variable with no leading ampersand or a text expression that
produces the name of a macro variable with no leading ampersand.
Details
The %SUPERQ function returns the value of a macro variable without attempting to
resolve any macros or macro variable references in the value. %SUPERQ masks the
following special characters and mnemonic operators:
& % ’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
%SUPERQ is particularly useful for masking macro variables that might contain an
ampersand or a percent sign when they are used with the %INPUT or %WINDOW
statement, or the SYMPUT routine.
For a description of quoting in SAS macro language, see Chapter 7, “Macro Quoting,”
on page 77.
Note: The maximum level of nesting for the macro quoting functions is 10. 4
Comparisons
3 %SUPERQ is the only quoting function that prevents the resolution of macro
variables and macro references in the value of the specified macro variable.
3 %SUPERQ accepts only the name of a macro variable as its argument, without an
ampersand, while the other quoting functions accept any text expression, including
constant text, as an argument.
3 %SUPERQ masks the same characters as the %NRBQUOTE function. However,
%SUPERQ does not attempt to resolve anything in the value of a macro variable.
%NRBQUOTE attempts to resolve any macro references or macro variable values
in the argument before masking the result.
Example
Example 1: Passing Unresolved Macro Variable Values In this example, %SUPERQ
prevents the macro processor from attempting to resolve macro references in the values
of MV1 and MV2 before assigning them to macro variables TESTMV1 and TESTMV2.
248 %SYMEXIST Function 4 Chapter 17
data _null_;
call symput(’mv1’,’Smith&Jones’);
call symput(’mv2’,’%macro abc;’);
run;
%let testmv1=%superq(mv1);
%let testmv2=%superq(mv2);
When this program executes, these linesare written to the SAS log:
Macro variable TESTMV1 is Smith&Jones
Macro variable TESTMV2 is %macro abc;
You might think of the values of TESTMV1 and TESTMV2 as “pictures” of the
original values of MV1 and MV2. The %PUT statement then writes the pictures in its
text. The macro processor does not attempt resolution. It does not issue a warning
message for the unresolved reference &JONES or an error message for beginning a macro
definition inside a %LET statement.
%SYMEXIST Function
Returns an indication of the existence of a macro variable.
Type: Macro function
Syntax
%SYMEXIST(macro-variable-name)
Required Argument
macro-variable-name
is the name of a macro variable or a text expression that yields the name of a macro
variable.
Details
The %SYMEXIST function searches any enclosing local symbol tables and then the
global symbol table for the indicated macro variable and returns a value of 1 if the
macro variable is found or a value of 0 if the macro variable is not found.
Examples
The following example uses the %IF %THEN %ELSE macro statement to change the
value of 1 and 0 to TRUE and FALSE respectively:
Macro Functions 4 %SYMGLOBL Function 249
%global x;
%macro test;
%local y;
%if %symexist(x) %then %put %nrstr(%symexist(x)) = TRUE;
%else %put %nrstr(%symexist(x)) = FALSE;
%if %symexist(y) %then %put %nrstr(%symexist(y)) = TRUE;
%else %put %nrstr(%symexist(y)) = FALSE;
%if %symexist(z) %then %put %nrstr(%symexist(z)) = TRUE;
%else %put %nrstr(%symexist(z)) = FALSE;
%mend test;
%test;
In the previous example, executing the %TEST macro writes the following output to the
SAS log:
%symexist(x) = TRUE
%symexist(y) = TRUE
%symexist(z) = FALSE
%SYMGLOBL Function
Returns an indication as to whether a macro variable is global in scope.
Type: Macro function
Syntax
%SYMGLOBL(macro-variable-name)
Required Argument
macro-variable-name
is a name of a macro variable or a text expression that yields the name of a macro
variable.
Details
The %SYMGLOBL function searches enclosing scopes for the indicated macro variable
and returns a value of 1 if the macro variable is found in the global symbol table,
otherwise it returns a 0. See Chapter 5, “Scopes of Macro Variables,” on page 43 for
more information about the global and local symbol tables and macro variable scopes.
Examples
The following example uses the %IF %THEN %ELSE macro statement to change the
values of 1 and 0 to TRUE and FALSE respectively:
250 %SYMLOCAL Function 4 Chapter 17
%global x;
%macro test;
%local y;
%if %symglobl(x) %then %put %nrstr(%symglobl(x)) = TRUE;
%else %put %nrstr(%symglobl(x)) = FALSE;
%if %symglobl(y) %then %put %nrstr(%symglobl(y)) = TRUE;
%else %put %nrstr(%symglobl(y)) = FALSE;
%if %symglobl(z) %then %put %nrstr(%symglobl(z)) = TRUE;
%else %put %nrstr(%symglobl(z)) = FALSE;
%mend test;
%test;
In the example above, executing the %TEST macro writes the following output to the
SAS log:
%symglobl(x) = TRUE
%symglobl(y) = FALSE
%symglobl(z) = FALSE
%SYMLOCAL Function
Returns an indication as to whether a macro variable is local in scope.
Type: Macro function
Syntax
%SYMLOCAL(macro-variable-name)
Required Argument
macro-variable-name
is the name of a macro variable or a text expression that yields the name of a macro
variable.
Details
The %SYMLOCAL searches enclosing scopes for the indicated macro variable and
returns a value of 1 if the macro variable is found in a local symbol table, otherwise it
returns a 0. See Chapter 5, “Scopes of Macro Variables,” on page 43 for more
information about the global and local symbol tables and macro variable scopes.
Examples
The following example uses the %IF %THEN %ELSE macro statement to change the
values of 1 and 0 to TRUE and FALSE respectively:
Macro Functions 4 %SYSEVALF Function 251
%global x;
%macro test;
%local y;
%if %symlocal(x) %then %put %nrstr(%symlocal(x)) = TRUE;
%else %put %nrstr(%symlocal(x)) = FALSE;
%if %symlocal(y) %then %put %nrstr(%symlocal(y)) = TRUE;
%else %put %nrstr(%symlocal(y)) = FALSE;
%if %symlocal(z) %then %put %nrstr(%symlocal(z)) = TRUE;
%else %put %nrstr(%symlocal(z)) = FALSE;
%mend test;
%test;
In the example above, executing the %TEST macro writes the following output to the
SAS log:
%symlocal(x) = FALSE
%symlocal(y) = TRUE
%symlocal(z) = FALSE
%SYSEVALF Function
Evaluates arithmetic and logical expressions using floating-point arithmetic.
Type: Macro function
See also: “%EVAL Function” on page 230
Syntax
%SYSEVALF(expression<, conversion-type>)
expression
is an arithmetic or logical expression to evaluate.
conversion-type
converts the value returned by %SYSEVALF to the type of value specified. The value
can then be used in other expressions that require a value of that type.
Conversion-type can be one of the following:
BOOLEAN
returns
0 if the result of the expression is 0 or missing
1 if the result is any other value.
Here is an example:
%sysevalf(1/3,boolean) /* returns 1 */
%sysevalf(10+.,boolean) /* returns 0 */
252 %SYSEVALF Function 4 Chapter 17
CEIL
returns a character value representing the smallest integer that is greater than or
—12
equal to the result of the expression. If the result is within 10 of an integer, the
function returns a character value representing that integer. An expression
containing a missing value returns a missing value along with a message noting
that fact:
%sysevalf(1 + 1.1,ceil) /* returns 3 */
%sysevalf(-1 -2.4,ceil) /* returns −3 */
%sysevalf(-1 + 1.e-11,ceil) /* returns 0 */
%sysevalf(10+.) /* returns . */
FLOOR
returns a character value representing the largest integer that is less than or
—12
equal to the result of the expression. If the result is within 10 of an integer, the
function returns that integer. An expression with a missing value produces a
missing value:
%sysevalf(-2.4,floor) /* returns −3 */
%sysevalf(3,floor) /* returns 3 */
%sysevalf(1.-1.e-13,floor) /* returns 1 */
%sysevalf(.,floor) /* returns . */
INTEGER
returns a character value representing the integer portion of the result (truncates
—12
the decimal portion). If the result of the expression is within 10 of an integer,
the function produces a character value representing that integer. If the result of
the expression is positive, INTEGER returns the same result as FLOOR. If the
result of the expression is negative, INTEGER returns the same result as CEIL.
An expression with a missing value produces a missing value:
%put %sysevalf(2.1,integer); /* returns 2 */
%put %sysevalf(-2.4,integer); /* returns −2 */
%put %sysevalf(3,integer); /* returns 3 */
%put %sysevalf(-1.6,integer); /* returns −1 */
%put %sysevalf(1.-1.e-13,integer); /* returns 1 */
Details
The %SYSEVALF function performs floating-point arithmetic and returns a value that
is formatted using the BEST32. format. The result of the evaluation is always text.
%SYSEVALF is the only macro function that can evaluate logical expressions that
contain floating-point or missing values. Specify a conversion type to prevent problems
when %SYSEVALF returns one of the following:
3 missing or floating-point values to macro expressions
3 macro variables that are used in other macro expressions that require an integer
value
If the argument to the %SYSEVALF function contains no operator and no conversion
type is specified, then the argument is returned unchanged.
For details about evaluation of expressions by the SAS macro language, see Chapter
6, “Macro Expressions,” on page 69.
Comparisons
3 %SYSEVALF supports floating-point numbers. However, %EVAL performs only
integer arithmetic.
Macro Functions 4 %SYSFUNC and %QSYSFUNC Functions 253
3 You must use the %SYSEVALF macro function in macros to evaluate floating-point
expressions. However, %EVAL is used automatically by the macro processor to
evaluate macro expressions.
Example
Example 1: Illustrating Floating-Point Evaluation The macro FIGUREIT performs all
types of conversions for SYSEVALF values.
%macro figureit(a,b);
%let y=%sysevalf(&a+&b);
%put The result with SYSEVALF is: &y;
%put The BOOLEAN value is: %sysevalf(&a +&b, boolean);
%put The CEIL value is: %sysevalf(&a +&b, ceil);
%put The FLOOR value is: %sysevalf(&a +&b, floor);
%put The INTEGER value is: %sysevalf(&a +&b, int);
%mend figureit;
%figureit(100,1.597)
When this program executes, these lines are written to the SAS log:
The result with SYSEVALF is: 101.597
The BOOLEAN value is: 1
The CEIL value is: 102
The FLOOR value is: 101
The INTEGER value is: 101
Syntax
%SYSFUNC (function(argument-1 <...argument-n>)<, format>)
%QSYSFUNC (function(argument-1 <...argument-n>)< , format>)
function
is the name of the function to execute. This function can be a SAS function, a
function written with SAS/TOOLKIT software, or a function created using the FCMP
procedure in the Base SAS Procedures Guide. The function cannot be a macro
function.
All SAS functions, except those listed Table 17.1 on page 254, can be used with
%SYSFUNC and %QSYSFUNC.
You cannot nest functions to be used with a single %SYSFUNC. However, you can
nest %SYSFUNC calls:
%let x=%sysfunc(trim(%sysfunc(left(&num))));
254 %SYSFUNC and %QSYSFUNC Functions 4 Chapter 17
Appendix 3, “Syntax for Selected Functions Used with the %SYSFUNC Function,”
on page 349 shows the syntax of SAS functions used with %SYSFUNC that were
introduced with SAS 6.12.
argument-1 <...argument-n>
is one or more arguments used by function. An argument can be a macro variable
reference or a text expression that produces arguments for a function. If argument
might contain a special character or mnemonic operator, listed below, use
%QSYSFUNC.
format
is an optional format to apply to the result of function. This format can be provided
by SAS, generated by PROC FORMAT, or created with SAS/TOOLKIT. There is no
default value for format. If you do not specify a format, the SAS Macro Facility does
not perform a format operation on the result and uses the default of the function.
Details
Because %SYSFUNC is a macro function, you do not need to enclose character values in
quotation marks as you do in DATA step functions. For example, the arguments to the
OPEN function are enclosed in quotation marks when the function is used alone, but do
not require quotation marks when used within %SYSFUNC. These statements show
the difference:
3
dsid=open("sasuser.houses","i");
3
dsid=open("&mydata","&mode");
3
%let dsid = %sysfunc(open(sasuser.houses,i));
3
%let dsid=%sysfunc(open(&mydata,&mode));
Table 17.1 SAS Functions Not Available with %SYSFUNC and %QSYSFUNC
Note: Instead of INPUT and PUT, which are not available with %SYSFUNC and
%QSYSFUNC, use INPUTN, INPUTC, PUTN, and PUTC. 4
Note: The Variable Information functions include functions such as VNAME and
VLABEL. For a complete list, see Definitions of Functions and CALL Routines in SAS
Language Reference: Dictionary. 4
CAUTION:
Values returned by SAS functions might be truncated. Although values returned by
macro functions are not limited to the length imposed by the DATA step, values
returned by SAS functions do have that limitation. 4
Comparisons
%QSYSFUNC masks the same characters as the %NRBQUOTE function.
Examples
Example 1: Formatting the Current Date in a TITLE Statement This example formats a
TITLE statement containing the current date using the DATE function and the
WORDDATE. format:
title "%sysfunc(date(),worddate.) Absence Report";
When the program is executed on July 18, 2008, the statement produces the
following TITLE statement:
%macro try(parm);
%put &parm is %sysfunc(putn(&parm,category.));
%mend;
%try(1.02)
%try(.)
%try(-.38)
256 %SYSFUNC and %QSYSFUNC Functions 4 Chapter 17
When these statements are executed, these lines are written to the SAS log:
1.02 is Greater Than Zero
. is Missing
-.38 is Less Than Zero
When these statements are executed, these lines are written to the SAS log:
With N translated to P, V01N01-V01N10 is V01P01-V01P10
Example 4: Confirming the Existence of a SAS Data Set The macro CHECKDS uses
%SYSFUNC to execute the EXIST function, which checks the existence of a data set:
%macro checkds(dsn);
%if %sysfunc(exist(&dsn)) %then
%do;
proc print data=&dsn;
run;
%end;
%else
%put The data set &dsn does not exist.;
%mend checkds;
%checkds(sasuser.houses)
%obsnvars(sasuser.houses)
When the program is executed, the following message will appear in the SAS log:
sasuser.houses has 6 variable(s) and 15 observation(s).
%SYSGET Function
Returns the value of the specified operating environment variable.
Type: Macro function
Syntax
%SYSGET(environment-variable)
environment-variable
is the name of an environment variable. The case of environment-variable must
agree with the case that is stored on the operating environment.
Details
The %SYSGET function returns the value as a character string. If the value is
truncated or the variable is not defined on the operating environment, %SYSGET
displays a warning message in the SAS log.
You can use the value returned by %SYSGET as a condition for determining further
action to take or parts of a SAS program to execute. For example, your program can
restrict certain processing or issue commands that are specific to a user.
For details, see the SAS documentation for your operating environment.
Example
Example 1: Using SYSGET in a UNIX Operating Environment This example returns the
ID of a user on a UNIX operating environment:
%let person=%sysget(USER);
%put User is &person;
When these statements execute for user ABCDEF, the following is written to the SAS
log:
User is abcdef
%SYSPROD Function
Reports whether a SAS software product is licensed at the site.
Type: Macro function
258 %SYSPROD Function 4 Chapter 17
See also:
“%SYSEXEC Statement” on page 302
“SYSSCP and SYSSCPL Automatic Macro Variables” on page 202
“SYSVER Automatic Macro Variable” on page 206
Syntax
%SYSPROD (product)
product
can be a character string or text expression that yields a code for a SAS product. The
following are commonly used codes:
For codes for other SAS software products, see your on-site SAS support personnel.
Details
%SYSPROD can return the following values:
Value Description
−1 The product is not Institute software (for example, if the product code is
misspelled).
Example
Example 1: Verifying SAS/GRAPH Installation Before Running the GPLOT
Procedure This example uses %SYSPROD to determine whether to execute a PROC
GPLOT statement or a PROC PLOT statement, based on whether SAS/GRAPH
software has been installed.
%macro runplot(ds);
%if %sysprod(graph)=1 %then
%do;
title "GPLOT of %upcase(&ds)";
Macro Functions 4 %UNQUOTE Function 259
%runplot(sasuser.houses)
When this program executes and SAS/GRAPH is installed, the following statements are
generated:
TITLE "GPLOT of SASUSER.HOUSES";
PROC GPLOT DATA=SASUSER.HOUSES;
PLOT STYLE*PRICE / HAXIS=0 TO 150000 BY 50000;
RUN;
%UNQUOTE Function
During macro execution, unmasks all special characters and mnemonic operators for a value.
Type: Macro function
See also:
“%BQUOTE and %NRBQUOTE Functions” on page 229
“%NRBQUOTE Function” on page 234
“%NRQUOTE Function” on page 234
“%NRSTR Function” on page 234
“%QUOTE and %NRQUOTE Functions” on page 236
“%STR and %NRSTR Functions” on page 242
“%SUPERQ Function” on page 247
Syntax
%UNQUOTE (character string | text expression)
Details
The %UNQUOTE function unmasks a value so that special characters that it might
contain are interpreted as macro language elements instead of as text. The most
important effect of %UNQUOTE is to restore normal tokenization of a value whose
260 %UPCASE and %QUPCASE Functions 4 Chapter 17
Example
Example 1: Using %UNQUOTE to Unmask Values This example demonstrates a problem
that can arise when the value of a macro variable is assigned using a macro quoting
function and then the variable is referenced in a later DATA step. If the value is not
unmasked before it reaches the SAS compiler, the DATA step does not compile correctly
and it produces error messages. Although several macro functions automatically
unmask values, a variable might not be processed by one of those functions.
The following program generates error messages in the SAS log because the value of
TESTVAL is still masked when it reaches the SAS compiler.
%let val = aaa;
%let testval = %str(%’&val%’);
data _null_;
val = &testval;
put ’VAL =’ val;
run;
This version of the program runs correctly because %UNQUOTE unmasks the value
of TESTVAL.
%let val = aaa;
%let testval = %str(%’&val%’);
data _null_;
val = %unquote(&testval);
put ’VAL =’ val;
run;
Syntax
%UPCASE (character string | text expression)
%QUPCASE(character string | text expression)
Macro Functions 4 %UPCASE and %QUPCASE Functions 261
Details
The %UPCASE and %QUPCASE functions convert lowercase characters in the
argument to uppercase. %UPCASE does not mask special characters or mnemonic
operators in its result, even when the argument was previously masked by a macro
quoting function.
If the argument contains a special character or mnemonic operator, listed below, use
%QUPCASE. %QUPCASE masks the following special characters and mnemonic
operators in its result:
& % ’ " ( ) + − * / < > = ^ ~ ; , # blank
AND OR NOT EQ NE LE LT GE GT IN
%UPCASE and %QUPCASE are useful in the comparison of values because the
macro facility does not automatically convert lowercase characters to uppercase before
comparing values.
Comparison
3 %QUPCASE masks the same characters as the %NRBQUOTE function.
3 To convert characters to lowercase, use the %LOWCASE or %QLOWCASE autocall
macro.
Examples
Example 1: Capitalizing a Value to be Compared In this example, the macro
RUNREPT compares a value input for the macro variable MONTH to the string DEC.
If the uppercase value of the response is DEC, then PROC FSVIEW runs on the data
set REPORTS.ENDYEAR. Otherwise, PROC FSVIEW runs on the data set with the
name of the month in the REPORTS data library.
%macro runrept(month);
%if %upcase(&month)=DEC %then
%str(proc fsview data=reports.endyear; run;);
%else %str(proc fsview data=reports.&month; run;);
%mend runrept;
You can invoke the macro in any of these ways to satisfy the %IF condition:
%runrept(DEC)
%runrept(Dec)
%runrept(dec)
Example 2: Comparing %UPCASE and %QUPCASE These statements show the results
produced by %UPCASE and %QUPCASE:
%let a=begin;
%let b=%nrstr(&a);
When these statements execute, the following is written to the SAS log:
UPCASE produces: begin
QUPCASE produces: &A
262
263
CHAPTER
18
SQL Clauses for Macros
INTO Clause
Assigns values produced by PROC SQL to macro variables.
Type: SELECT statement, PROC SQL
Syntax
INTO : macro-variable-specification-1 < ..., : macro-variable-specification-n>
macro-variable-specification
names one or more macro variables to create or update. Precede each macro variable
name with a colon (:). The macro variable specification can be in any one or more of
the following forms:
: macro-variable
specify one or more macro variables. Leading and trailing blanks are not trimmed
from values before they are stored in macro variables:
select style, sqfeet
into :type, :size
from sasuser.houses;
specifies a numbered list of macro variables. Leading and trailing blanks are
trimmed from values before they are stored in macro variables. If you do not want
the blanks to be trimmed, use the NOTRIM option. NOTRIM is an option in each
individual element in this form of the INTO clause, so you can use it on one
element and not on another element:
select style, sqfeet
into :type1 - :type4 notrim, :size1 - :size3
from sasuser.houses;
specifies one macro variable to contain all the values of a column. Values in the
list are separated by one or more characters. This form of the INTO clause is
useful for building a list of items. Leading and trailing blanks are trimmed from
values before they are stored in the macro variable. If you do not want the blanks
to be trimmed, use the NOTRIM option. You can use the DISTINCT option on the
SELECT statement to store only the unique column (variable) values:
select distinct style
into :types separated by ’,’
from sasuser.houses;
Details
The INTO clause for the SELECT statement can assign the result of a calculation or
the value of a data column (variable) to a macro variable. If the macro variable does not
exist, INTO creates it. You can check the PROC SQL macro variable SQLOBS to see
the number of rows (observations) produced by a SELECT statement.
The INTO clause can be used only in the outer query of a SELECT statement and
not in a subquery. The INTO clause cannot be used when you are creating a table
(CREATE TABLE) or a view (CREATE VIEW).
Macro variables created with INTO follow the scoping rules for the %LET statement.
For more information, see Chapter 5, “Scopes of Macro Variables,” on page 43.
Values assigned by the INTO clause use the BEST12. format.
Comparisons
In the SQL procedure, the INTO clause performs a role similar to the SYMPUT routine.
Examples
Example 1: Storing Column Values in Declared Macro Variables This example is based
on the data set SASUSER.HOUSES and stores the values of columns (variables)
STYLE and SQFEET from the first row of the table (or observation in the data set) in
macro variables TYPE and SIZE. The %LET statements strip trailing blanks from
TYPE and leading blanks from SIZE because this type of specification with INTO does
not strip those blanks by default.
proc sql noprint;
select style, sqfeet
into :type, :size
from sasuser.houses;
%let type=&type;
%let size=&size;
%put The first row contains a &type with &size square feet.;
When this program executes, the following is written to the SAS log:
The first row contains a RANCH with 1250 square feet.
Example 2: Storing Row Values in a List of Macro Variables This example creates two
lists of macro variables, TYPE1 through TYPE4 and SIZE1 through SIZE4, and stores
values from the first four rows (observations) of the SASUSER.HOUSES data set in
them. The NOTRIM option for TYPE1 through TYPE4 retains the trailing blanks for
those values.
SQL Clauses for Macros 4 INTO Clause 265
%macro putit;
%do i=1 %to 4;
%put Row&i: Type=**&&type&i** Size=**&&size&i**;
%end;
%mend putit;
%putit
When this program executes, these lines are written to the SAS log:
Row1: Type=**RANCH ** Size=**1250**
Row2: Type=**SPLIT ** Size=**1190**
Row3: Type=**CONDO ** Size=**1400**
Row4: Type=**TWOSTORY** Size=**1810**
Example 3: Storing Values of All Rows in one Macro Variable This example stores all
values of the column (variable) STYLE in the macro variable TYPES and separates the
values with a comma and a blank.
proc sql;
select distinct quote(style)
into :types separated by ’, ’
from sasuser.houses;
When this program executes, this line is written to the SAS log:
Types of houses=CONDO, RANCH, SPLIT, TWOSTORY
266
267
CHAPTER
19
Macro Statements
%ABORT Statement
Stops the macro that is executing along with the current DATA step, SAS job, or SAS session.
Type: Macro statement
Restriction: Allowed in macro definitions only
Syntax
%ABORT <ABEND | CANCEL <FILE> | RETURN | <n>> ;
Arguments
ABEND
causes abnormal termination of the current macro and SAS job or session. Results
depend on the method of operation:
3 batch mode and noninteractive mode
3 stops processing immediately
3 sends an error message to the SAS log that states that execution was
terminated by the ABEND option of the %ABORT macro statement
3 does not execute any subsequent statements or check syntax
3 returns control to the operating environment; further action is based on
how your operating environment and your site treat jobs that end
abnormally.
3 windowing environment and interactive line mode
3 causes your macro, windowing environment, and interactive line mode to
stop processing immediately and return you to your operating environment.
CANCEL <FILE>
causes the cancellation of the current submitted statements. The results depend on
the method of operation:
268 %ABORT Statement 4 Chapter 19
FILE
when coded as an option to the CANCEL argument in an autoexec file or in a
%INCLUDE file, causes only the contents of the autoexec file or %INCLUDE file to
be cleared by the %ABORT statement. Other submitted source statements will be
executed after the autoexec or %INCLUDE file.
Caution: When %ABORT CANCEL FILE option is executed within a %INCLUDE
file, all open macros are closed and execution resumes at the next source line of
code.
The CANCEL argument cannot be submitted using SAS/SHARE,
Restriction:
SAS/CONNECT, or SAS/AF.
RETURN
causes abnormal termination of the current macro and SAS job or session. Results
depend on the method of operation:
3 batch mode and noninteractive mode
3 stops processing immediately
3 sends an error message to the SAS log that states that execution was
terminated by the RETURN option of the %ABORT macro statement
3 does not execute any subsequent statements or check syntax
3 returns control to the operating environment with a condition code
indicating an error.
3 windowing environment and interactive line mode
3 causes your macro, windowing environment, and interactive line mode to
stop processing immediately and return you to your operating environment.
n
an integer value that enables you to specify a condition code:
3 When used with the CANCEL argument, the value is placed in the SYSINFO
automatic macro variable.
3 When it is NOT used with the CANCEL statement, SAS returns the value to
the operating environment when the execution stops. The range of values for n
depends on your operating environment.
Macro Statements 4 %* Macro Comment Statement 269
Without Arguments
If you specify no argument, the %ABORT macro statement produces these results
under the following methods of operation:
3 batch mode and noninteractive mode
3 stops processing the current macro and DATA step and writes an error
message to the SAS log. Data sets can contain an incomplete number of
observations or no observations, depending on when SAS encountered the
%ABORT macro statement.
3 sets the OBS= system option to 0.
3 continues limited processing of the remainder of the SAS job, including
executing macro statements, executing system option statements, and syntax
checking of program statements.
3 windowing environment
3 stops processing the current macro and DATA step
3 creates a data set that contains the observations that are processed before
the %ABORT macro statement is encountered
3 prints a message to the log that an %ABORT macro statement terminated
the DATA step
3 interactive line mode
3 stops processing the current macro and DATA step. Any further DATA steps
or procedures execute normally.
Details
The %ABORT macro statement causes SAS to stop processing the current macro and
DATA step. What happens next depends on
3 the method you use to submit your SAS statements
3 the arguments you use with %ABORT
3 your operating environment.
The %ABORT macro statement usually appears in a clause of an %IF-%THEN macro
statement that is designed to stop processing when an error condition occurs.
Note: The return code generated by the %ABORT macro statement is ignored by
SAS if the system option ERRORABEND is in effect. 4
Note: When you execute an %ABORT macro statement in a DATA step, SAS does
not use data sets that were created in the step to replace existing data sets with the
same name. 4
Syntax
%*commentary;
270 %* Macro Comment Statement 4 Chapter 19
commentary
is a descriptive message of any length.
Details
The macro comment statement is useful for describing macro code. Text from a macro
comment statement is not constant text and is not stored in a compiled macro. Because
a semicolon ends the comment statement, the comment cannot contain internal
semicolons unless the internal semicolons are enclosed in quotation marks. Macro
comment statements are not recognized when they are enclosed in quotation marks.
Macro comment statements are complete macro statements and are processed by the
macro facility. Quotation marks within a macro comment must match.
Only macro comment statements and SAS comments of the form /*commentary*/ in
macro definitions or open code might be used to hide macro statements from processing
by the macro facility.
Comparisons
SAS comment statements of the form *commentary; or comment commentary; are
complete SAS statements. Consequently, they are processed by the tokenizer and macro
facility and cannot contain semicolons or unmatched quotation marks. SAS comment
statements of the form *commentary; or comment commentary; are stored as
constant text in a compiled macro. These two types will execute any macro statements
within a comment. SAS recommends not to use these within a macro definition.
SAS comments in the form /*commentary*/ are not tokenized, but are processed as
a string of characters. These comments can appear anywhere a single blank can appear
and can contain semicolons or unmatched quotation marks. SAS comments in the form
/*commentary*/ are not stored in a compiled macro.
Example
Example 1: Contrasting Comment Types This code defines and invokes the macro
VERDATA, which checks for data errors. It contains a macro comment statement and
SAS comments in the form /*commentary*/ and *commentary;.
%macro verdata(in, thresh);
*%let thresh = 5;
/* The preceding SAS comment does not hide the %let statement
as does this type of SAS comment.
%let thresh = 6;
*/
%if %length(&in) > 0 %then %do;
%* infile given;
data check;
/* Jim’s data */
infile ∈
input x y z;
* check data;
if x<&thresh or y<&thresh or z<&thresh then list;
run;
%end;
%else %put Error: No infile specified;
Macro Statements 4 %COPY Statement 271
%mend verdata;
%verdata(ina, 0)
When you execute VERDATA, the macro processor generates the following:
DATA CHECK;
INFILE INA;
INPUT X Y Z;
* CHECK DATA;
IF X<5 OR Y<5 OR Z<5 THEN LIST;
RUN;
%COPY Statement
Copies specified items from a SAS macro library.
Type: Macro statement
Restriction:Allowed in macro definitions or open code
See also:
“%MACRO Statement” on page 289
“SASMSTORE= System Option” on page 338
Syntax
%COPY macro-name /< option1 <...option-n>> SOURCE
macro-name
name of the macro that the %COPY statement will use.
SOURCE
SRC
specifies that the source code of the macro will be copied to the output destination. If
the OUTFILE= option is not specified, the source is written to the SAS log.
option1 <...option-n>
must be one or more of the following options:
LIBRARY= libref
LIB=
specifies the libref of a SAS library that contains a catalog of stored compiled SAS
macros. If no library is specified, the libref specified by the SASMSTORE= option
is used.
Restriction: This libref cannot be WORK.
OUTFILE=fileref | ’external file’
OUT=
specifies the output destination of the %COPY statement. The value can be a
fileref or an external file.
272 %DISPLAY Statement 4 Chapter 19
Example
In the following example, the %COPY statement writes the stored source code to the
SAS log:
/* commentary */ %macro foobar(arg) /store source
des="This macro does not do much";
%put arg = &arg;
* this is commentary!!!;
%* this is macro commentary;
%mend /* commentary; */; /* Further commentary */
NOTE: The macro FOOBAR completed compilation without errors.
%copy foobar/source;
%DISPLAY Statement
Displays a macro window.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
See also: “%WINDOW Statement” on page 305
Syntax
%DISPLAY window<.group><NOINPUT ><BLANK>
<BELL>< DELETE>;
window <.group>
names the window and group of fields to be displayed. If the window has more than
one group of fields, give the complete window.group specification. If a window
contains a single unnamed group, specify only window.
Macro Statements 4 %DO Statement 273
NOINPUT
specifies that you cannot input values into fields displayed in the window. If you omit
the NOINPUT option, you can input values into unprotected fields displayed in the
window. Use the NOINPUT option when the %DISPLAY statement is inside a macro
definition and you want to merge more than one group of fields into a single display.
Using NOINPUT in a particular %DISPLAY statement causes the group displayed to
remain visible when later groups are displayed.
BLANK
clears the display in the window. Use the BLANK option to prevent fields from a
previous display from appearing in the current display. This option is useful only
when the %DISPLAY statement is inside a macro definition and when it is part of a
window.group specification. When the %DISPLAY statement is outside a macro
definition, the display in the window is cleared automatically after the execution of
each %DISPLAY statement.
BELL
rings your personal computer’s bell, if available, when the window is displayed.
DELETE
deletes the display of the window after processing passes from the %DISPLAY
statement on which the option appears. DELETE is useful only when the %DISPLAY
statement is inside a macro definition.
Details
You can display only one group of fields in each execution of a %DISPLAY statement. If
you display a window containing any unprotected fields, enter values into any required
fields and press ENTER to remove the display from the window.
If a window contains only protected fields, pressing ENTER removes the display from
the window. While a window is displayed, you can use commands and function keys to
view other windows, change the size of the current window, and so on.
%DO Statement
Begins a %DO group.
Type: Macro statement
Restriction: Allowed in macro definitions only
See also: “%END Statement” on page 278
Syntax
%DO;
text and macro language statements
%END;
Details
The %DO statement designates the beginning of a section of a macro definition that is
treated as a unit until a matching %END statement is encountered. This macro section
is called a %DO group. %DO groups can be nested.
274 %DO, Iterative Statement 4 Chapter 19
Example
Example 1: Producing One of Two Reports This macro uses two %DO groups with the
%IF-%THEN/%ELSE statement to conditionally print one of two reports.
%macro reportit(request);
%if %upcase(&request)=STAT %then
%do;
proc means;
title "Summary of All Numeric Variables";
run;
%end;
%else %if %upcase(&request)=PRINTIT %then
%do;
proc print;
title "Listing of Data";
run;
%end;
%else %put Incorrect report type. Please try again.;
title;
%mend reportit;
%reportit(stat)
%reportit(printit)
Specifying stat as a value for the macro variable REQUEST generates the PROC
MEANS step. Specifying printit generates the PROC PRINT step. Specifying any
other value writes a customized error message to the SAS log.
Syntax
%DO macro-variable=start %TO stop < %BY increment>;
text and macro language statements
%END;
Macro Statements 4 %DO, Iterative Statement 275
macro-variable
names a macro variable or a text expression that generates a macro variable name.
Its value functions as an index that determines the number of times the %DO loop
iterates. If the macro variable specified as the index does not exist, the macro
processor creates it in the local symbol table.
You can change the value of the index variable during processing. For example,
using conditional processing to set the value of the index variable beyond the stop
value when a certain condition is met ends processing of the loop.
start
stop
specify integers or macro expressions that generate integers to control the number of
times the portion of the macro between the iterative %DO and %END statements is
processed.
The first time the %DO group iterates, macro-variable is equal to start. As
processing continues, the value of macro-variable changes by the value of increment
until the value of macro-variable is outside the range of integers included by start
and stop.
increment
specifies an integer (other than 0) or a macro expression that generates an integer to
be added to the value of the index variable in each iteration of the loop. By default,
increment is 1. Increment is evaluated before the first iteration of the loop.
Therefore, you cannot change it as the loop iterates.
Example
Example 1: Generating a Series of DATA Steps This example illustrates using an
iterative %DO group in a macro definition.
%macro create(howmany);
%do i=1 %to &howmany;
data month&i;
infile in&i;
input product cost date;
run;
%end;
%mend create;
%create(3)
Syntax
%DO %UNTIL (expression);
text and macro language statements
%END;
expression
can be any macro expression that resolves to a logical value. The macro processor
evaluates the expression at the bottom of each iteration. The expression is true if it
is an integer other than zero. The expression is false if it has a value of zero. If the
expression resolves to a null value or a value containing nonnumeric characters, the
macro processor issues an error message.
These examples illustrate expressions for the %DO %UNTIL statement:
3 %do %until(&hold=no);
3 %do %until(%index(&source,&excerpt)=0);
Details
The %DO %UNTIL statement checks the value of the condition at the bottom of each
iteration. Thus, a %DO %UNTIL loop always iterates at least once.
Example
Example 1: Validating a Parameter This example uses the %DO %UNTIL statement
to scan an option list to test the validity of the parameter TYPE.
%macro grph(type);
%let type=%upcase(&type);
%let options=BLOCK HBAR VBAR;
%let i=0;
%do %until (&type=%scan(&options,&i) or (&i>3)) ;
%let i = %eval(&i+1);
%end;
%if &i>3 %then %do;
%put ERROR: &type type not supported;
%end;
%else %do;
proc chart;&type sex / group=dept;
run;
%end;
Macro Statements 4 %DO %WHILE Statement 277
%mend grph;
When you invoke the GRPH macro with a value of HBAR, the macro generates these
statements:
PROC CHART;
HBAR SEX / GROUP=DEPT;
RUN;
When you invoke the GRPH macro with a value of PIE, then the %PUT statement
writes this line to the SAS log:
ERROR: PIE type not supported
Syntax
%DO %WHILE (expression);
text and macro program statements
%END;
expression
can be any macro expression that resolves to a logical value. The macro processor
evaluates the expression at the top of each iteration. The expression is true if it is an
integer other than zero. The expression is false if it has a value of zero. If the
expression resolves to a null value or to a value containing nonnumeric characters,
the macro processor issues an error message.
These examples illustrate expressions for the %DO %WHILE statement:
3 %do %while(&a<&b);
3 %do %while(%length(&name)>20);
Details
The %DO %WHILE statement tests the condition at the top of the loop. If the condition
is false the first time the macro processor tests it, the %DO %WHILE loop does not
iterate.
Example
Example 1: Removing Markup Tags from a Title
This example demonstrates using the
%DO %WHILE to strip markup (SGML) tags from text to create a TITLE statement:
278 %END Statement 4 Chapter 19
%macro untag(title);
%let stbk=%str(<);
%let etbk=%str(>);
/* Do loop while tags exist */
%do %while (%index(&title,&stbk)>0) ;
%let pretag=;
%let posttag=;
%let pos_et=%index(&title,&etbk);
%let len_ti=%length(&title);
/* Is < first character? */
%if (%qsubstr(&title,1,1)=&stbk) %then %do;
%if (&pos_et ne &len_ti) %then
%let posttag=%qsubstr(&title,&pos_et+1);
%end;
%else %do;
%let pretag=%qsubstr(&title,1,(%index(&title,&stbk)-1));
/* More characters beyond end of tag (>) ? */
%if (&pos_et ne &len_ti) %then
%let posttag=%qsubstr(&title,&pos_et+1);
%end;
/* Build title with text before and after tag */
%let title=&pretag&posttag;
%end;
title "&title";
%mend untag;
If the title text contained special characters such as commas, you could invoke it with
the %NRSTR function.
%untag(
%nrstr(<title>Accounts: Baltimore, Chicago, and Los Angeles</title>))
%END Statement
Ends a %DO group.
Type: Macro statement
Restriction: Allowed in macro definitions only
Syntax
%END;
Macro Statements 4 %GLOBAL Statement 279
Example
Example 1: Ending a %DO group This macro definition contains a %DO %WHILE loop
that ends, as required, with a %END statement:
%macro test(finish);
%let i=1;
%do %while (&i<&finish);
%put the value of i is &i;
%let i=%eval(&i+1);
%end;
%mend test;
%test(5)
Invoking the TEST macro with 5 as the value of finish writes these lines to the SAS
log:
The value of i is 1
The value of i is 2
The value of i is 3
The value of i is 4
%GLOBAL Statement
Creates macro variables that are available during the execution of an entire SAS session.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
See also: “%LOCAL Statement” on page 288
Syntax
%GLOBAL macro-variable-1 <...macro-variable-n>;
macro-variable-1 <...macro-variable-n>
is the name of one or more macro variables or a text expression that generates one or
more macro variable names. You cannot use a SAS variable list or a macro
expression that generates a SAS variable list in a %GLOBAL statement.
Details
The %GLOBAL statement creates one or more global macro variables and assigns null
values to the variables. Global macro variables are variables that are available during
the entire execution of the SAS session or job.
A macro variable created with a %GLOBAL statement has a null value until you
assign it some other value. If a global macro variable already exists and you specify
that variable in a %GLOBAL statement, the existing value remains unchanged.
280 %GOTO Statement 4 Chapter 19
Comparisons
3 Both the %GLOBAL statement and the %LOCAL statement create macro
variables with a specific scope. However, the %GLOBAL statement creates global
macro variables that exist for the duration of the session or job. The %LOCAL
statement creates local macro variables that exist only during the execution of the
macro that defines the variable.
3 If you define both a global macro variable and a local macro variable with the
same name, the macro processor uses the value of the local variable during the
execution of the macro that contains the local variable. When the macro that
contains the local variable is not executing, the macro processor uses the value of
the global variable.
Example
Example 1: Creating Global Variables in a Macro Definition
%macro vars(first=1,last=);
%global gfirst glast;
%let gfirst=&first;
%let glast=&last;
var test&first-test&last;
%mend vars;
When you submit the following program, the macro VARS generates the VAR
statement and the values for the macro variables used in the title statement.
proc print;
%vars(last=50)
title "Analysis of Tests &gfirst-&glast";
run;
%GOTO Statement
Branches macro processing to the specified label.
Type: Macro statement
Alias: %GO TO
Restriction: Allowed in macro definitions only
See also: “%label Statement” on page 286
Syntax
%GOTO label;
Macro Statements 4 %GOTO Statement 281
label
is either the name of the label that you want execution to branch to or a text
expression that generates the label. A text expression that generates a label in a
%GOTO statement is called a computed %GOTO destination.*
The following examples illustrate how to use label:
3
%goto findit; /* branch to the label FINDIT */
3
%goto &home; /* branch to the label that is */
/* the value of the macro variable HOME */
CAUTION:
No percent sign (%) precedes the label name in the %GOTO statement. The syntax of the
%GOTO statement does not include a % in front of the label name. If you use a %,
the macro processor attempts to call a macro by that name to generate the label. 4
Details
Branching with the %GOTO statement has two restrictions. First, the label that is the
target of the %GOTO statement must exist in the current macro; you cannot branch to
a label in another macro with a %GOTO statement. Second, a %GOTO statement
cannot cause execution to branch to a point inside an iterative %DO, %DO %UNTIL, or
%DO %WHILE loop that is not currently executing.
Example
Example 1: Providing Exits in a Large Macro The %GOTO statement is useful in large
macros when you want to provide an exit if an error occurs.
%macro check(parm);
%local status;
%if &parm= %then %do;
%put ERROR: You must supply a parameter to macro CHECK.;
%goto exit;
%end;
%IF-%THEN/%ELSE Statement
Conditionally process a portion of a macro.
Type: Macro statement
Restriction: Allowed in macro definitions only
Syntax
%IF expression %THEN action;
<%ELSE action;>
expression
is any macro expression that resolves to an integer. If the expression resolves to an
integer other than zero, the expression is true and the %THEN clause is processed.
If the expression resolves to zero, then the expression is false and the %ELSE
statement, if one is present, is processed. If the expression resolves to a null value or
a value containing nonnumeric characters, the macro processor issues an error
message. For more information about writing macro expressions and their
evaluation, see Chapter 6, “Macro Expressions,” on page 69.
The following examples illustrate using expressions in the %IF-%THEN statement:
3 %if &name=GEORGE %then %let lastname=smith;
3 %if &i=10 and &j>5 %then %put check the index variables;
action
is either constant text, a text expression, or a macro statement. If action contains
semicolons (for example, in SAS statements), then the first semicolon after %THEN
ends the %THEN clause. Use a %DO group or a quoting function, such as %STR, to
prevent semicolons in action from ending the %IF-%THEN statement. The following
examples show two ways to conditionally generate text that contains semicolons:
3 %if &city ne %then %do;
keep citypop statepop;
%end;
%else %do;
keep statepop;
%end;
Details
The macro language does not contain a subsetting %IF statement. Thus, you cannot
use %IF without %THEN.
Macro Statements 4 %IF-%THEN/%ELSE Statement 283
Expressions that compare character values in the %IF-%THEN statement uses the
sort sequence of the host operating system for the comparison. Refer to “The SORT
PROCEDURE” in the Base SAS Procedures Guide for more information about host sort
sequences.
Comparisons
Although they look similar, the %IF-%THEN/%ELSE statement and the IF-THEN/
ELSE statement belong to two different languages. In general, %IF-%THEN/%ELSE
statement, which is part of the SAS macro language, conditionally generates text.
However, the IF-THEN/ELSE statement, which is part of the SAS language,
conditionally executes SAS statements during DATA step execution.
The expression that is the condition for the %IF-%THEN/%ELSE statement can
contain only operands that are constant text or text expressions that generate text.
However, the expression that is the condition for the IF-THEN/ELSE statement can
contain only operands that are DATA step variables, character constants, numeric
constants, or date and time constants.
When the %IF-%THEN/%ELSE statement generates text that is part of a DATA step,
it is compiled by the DATA step compiler and executed. On the other hand, when the
IF-THEN/ELSE statement executes in a DATA step, any text generated by the macro
facility has been resolved, tokenized, and compiled. No macro language elements exist
in the compiled code. “Example 1: Contrasting the %IF-%THEN/%ELSE Statement
with the IF-THEN/ELSE Statement” illustrates this difference.
For more information, see Chapter 2, “SAS Programs and Macro Processing,” on page
11, and Chapter 6, “Macro Expressions,” on page 69.
Examples
Example 1: Contrasting the %IF-%THEN/%ELSE Statement with the IF-THEN/ELSE
Statement In the SETTAX macro, the %IF-%THEN/%ELSE statement tests the value
of the macro variable TAXRATE to control the generation of one of two DATA steps.
The first DATA step contains an IF-THEN/ELSE statement that uses the value of the
DATA step variable SALE to set the value of the DATA step variable TAX.
%macro settax(taxrate);
%let taxrate = %upcase(&taxrate);
%if &taxrate = CHANGE %then
%do;
data thisyear;
set lastyear;
if sale > 100 then tax = .05;
else tax = .08;
run;
%end;
%else %if &taxrate = SAME %then
%do;
data thisyear;
set lastyear;
tax = .03;
run;
%end;
%mend settax;
When the value of the macro variable TAXRATE is CHANGE, then the macro generates
the following DATA step:
284 %INPUT Statement 4 Chapter 19
DATA THISYEAR;
SET LASTYEAR;
IF SALE > 100 THEN TAX = .05;
ELSE TAX = .08;
RUN;
When the value of the macro variable TAXRATE is SAME, then the macro generates
the following DATA step:
DATA THISYEAR;
SET LASTYEAR;
TAX = .03;
RUN;
%macro fiscal(report);
%if %upcase(&report)=QUARTER %then
%do;
title ’Quarterly Revenue Report’;
proc means data=total;
var revenue;
run;
%end;
%else
%do;
title ’To-Date Revenue Report’;
proc means data=current;
var revenue;
run;
%end;
%mend fiscal;
%fiscal(quarter)
%INPUT Statement
Supplies values to macro variables during macro execution.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
See also:
“%PUT Statement” on page 296
“%WINDOW Statement” on page 305
Macro Statements 4 %INPUT Statement 285
Syntax
%INPUT< macro-variable-1 <...macro-variable-n>>;
no argument
specifies that all text entered is assigned to the automatic macro variable
SYSBUFFR.
macro-variable-1 <...macro-variable-n>
is the name of a macro variable or a macro text expression that produces a macro
variable name. The %INPUT statement can contain any number of variable names
separated by blanks.
Details
The macro processor interprets the line submitted immediately after a %INPUT
statement as the response to the %INPUT statement. That line can be part of an
interactive line mode session, or it can be submitted from within the Program Editor
window during a windowing environment session.
When a %INPUT statement executes as part of an interactive line mode session, the
macro processor waits for you to enter a line containing values. In a windowing
environment session, the macro processor does not wait for you to input values.
Instead, it simply reads the next line that is processed in the program and attempts to
assign variable values. Likewise, if you invoke a macro containing a %INPUT
statement in open code as part of a longer program in a windowing environment, the
macro processor reads the next line in the program that follows the macro invocation.
Therefore, when you submit a %INPUT statement in open code from a windowing
environment, ensure that the line that follows a %INPUT statement or a macro
invocation that includes a %INPUT statement contains the values you want to assign.
When you name variables in the %INPUT statement, the macro processor matches
the variables with the values in your response based on their positions. That is, the
first value you enter is assigned to the first variable named in the %INPUT statement,
the second value is assigned to the second variable, and so on.
Each value to be assigned to a particular variable must be a single word or a string
enclosed in quotation marks. To separate values, use blanks. After all values have been
matched with macro variable names, excess text becomes the value of the automatic
macro variable SYSBUFFR.
Example
%label Statement
Identifies the destination of a %GOTO statement.
Type: Macro statement
Allowed in macro definitions only
Restriction:
See also: “%GOTO Statement” on page 280
Syntax
%label: macro-text
label
specifies a SAS name.
macro-text
is a macro statement, a text expression, or constant text. The following examples
illustrate each:
3 %one: %let book=elementary;
3 %out: %mend;
Details
3 The label name is preceded by a %. When you specify this label in a %GOTO
statement, do not precede it with a %.
3 An alternative to using the %GOTO statement and statement label is to use a
%IF-%THEN statement with a %DO group.
Example
Example 1: Controlling Program Flow In the macro INFO, the %GOTO statement
causes execution to jump to the label QUICK when the macro is invoked with the value
of short for the parameter TYPE.
%macro info(type);
%if %upcase(&type)=SHORT %then %goto quick; /* No % here */
proc contents;
run;
proc freq;
tables _numeric_;
run;
%quick: proc print data=_last_(obs=10); /* Use % here */
run;
%mend info;
%info(short)
Invoking the macro INFO with TYPE equal to short generates these statements:
Macro Statements 4 %LET Statement 287
%LET Statement
Creates a macro variable and assigns it a value.
Type: Macro statement
Allowed in macro definitions or open code
Restriction:
See also: “%STR and %NRSTR Functions” on page 242
Syntax
%LET macro-variable =< value>;
macro-variable
is either the name of a macro variable or a text expression that produces a macro
variable name. The name can refer to a new or existing macro variable.
value
is a character string or a text expression. Omitting value produces a null value (0
characters). Leading and trailing blanks in value are ignored. To make them
significant, enclose value with the %STR function.
Details
If the macro variable named in the %LET statement already exists, the %LET statement
changes the value. A %LET statement can define only one macro variable at a time.
Example
Example 1: Sample %LET Statements These examples illustrate several %LET
statements:
%macro title(text,number);
title&number "&text";
%mend;
When you submit these statements, the TITLE macro generates the following
statements:
TITLE1 "The History of Genetics";
TITLE2 "Genetics Today";
TITLE3 "The Future of Genetics";
%LOCAL Statement
Creates macro variables that are available only during the execution of the macro where they are
defined.
Type: Macro statement
Restriction: Allowed in macro definitions only
See also: “%GLOBAL Statement” on page 279
Syntax
%LOCAL macro-variable-1 <...macro-variable-n>;
macro-variable-1 <...macro-variable-n>
is the name of one or more macro variables or a text expression that generates one or
more macro variable names. You cannot use a SAS variable list or a macro
expression that generates a SAS variable list in a %LOCAL statement.
Details
The %LOCAL statement creates one or more local macro variables. A macro variable
created with %LOCAL has a null value until you assign it some other value. Local
macro variables are variables that are available only during the execution of the macro
in which they are defined.
Use the %LOCAL statement to ensure that macro variables created earlier in a
program are not inadvertently changed by values assigned to variables with the same
name in the current macro. If a local macro variable already exists and you specify that
variable in a %LOCAL statement, the existing value remains unchanged.
Comparisons
3 Both the %LOCAL statement and the %GLOBAL statement create macro
variables with a specific scope. However, the %LOCAL statement creates local
macro variables that exist only during the execution of the macro that contains the
variable, and the %GLOBAL statement creates global macro variables that exist
for the duration of the session or job.
3 If you define a local macro variable and a global macro variable with the same
name, the macro facility uses the value of the local variable during the execution of
the macro that contains that local variable. When the macro that contains the local
variable is not executing, the macro facility uses the value of the global variable.
Macro Statements 4 %MACRO Statement 289
Example
Example 1: Using a Local Variable with the Same Name as a Global Variable
%let variable=1;
%macro routine;
%put ***** Beginning ROUTINE *****;
%local variable;
%let variable=2;
%put The value of variable inside ROUTINE is &variable;
%put ***** Ending ROUTINE *****;
%mend routine;
%routine
%put The value of variable outside ROUTINE is &variable;
%MACRO Statement
Begins a macro definition.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
See also:
“%MEND Statement” on page 295
“SYSPBUFF Automatic Macro Variable” on page 200
Syntax
%MACRO macro-name < (parameter-list)></ option-1 <...option-n>>;
macro-name
names the macro. A macro name must be a SAS name, which you supply; you cannot
use a text expression to generate a macro name in a %MACRO statement. In
addition, do not use macro reserved words as a macro name. (For a list of macro
reserved words, see Appendix 1, “Reserved Words in the Macro Facility,” on page 345.)
parameter-list
names one or more local macro variables whose values you specify when you invoke
the macro. Parameters are local to the macro that defines them. You must supply
each parameter name; you cannot use a text expression to generate it. A parameter
list can contain any number of macro parameters separated by commas. The macro
variables in the parameter list are usually referenced in the macro.
290 %MACRO Statement 4 Chapter 19
parameter-list can be
<positional parameter-1><. . . ,positional parameter-n>
<keyword-parameter=<value> <. . . ,keyword-parameter-n=<value>>>
positional-parameter-1 <. . . ,positional-parameter-n>
specifies one or more positional parameters. You can specify positional
parameters in any order, but in the macro invocation, the order in which you
specify the values must match the order you list them in the %MACRO
statement. If you define more than one positional parameter, use a comma to
separate the parameters.
If at invocation you do not supply a value for a positional parameter, the
macro facility assigns a null value to that parameter.
keyword-parameter=<value> <. . . ,keyword-parameter-n=<value>>
names one or more macro parameters followed by equal signs. You can
specify default values after the equal signs. If you omit a default value after
an equal sign, the keyword parameter has a null value. Using default values
enables you to write more flexible macro definitions and reduces the number
of parameters that must be specified to invoke the macro. To override the
default value, specify the macro variable name followed by an equal sign and
the new value in the macro invocation.
CMD
specifies that the macro can accept either a name-style invocation or a
command-style invocation. Macros defined with the CMD option are sometimes
called command-style macros.
Use the CMD option only for macros you plan to execute from the command line
of a SAS window. The SAS system option CMDMAC must be in effect to use
command-style invocations. If CMDMAC is in effect and you have defined a
command-style macro in your program, the macro processor scans the first word of
every SAS command to see whether it is a command-style macro invocation. When
the SAS system option NOCMDMAC option is in effect, the macro processor treats
only the words following the % symbols as potential macro invocations. If the
CMDMAC option is not in effect, you still can use a name-style invocation for a
macro defined with the CMD option.
DES=’text’
specifies a description for the macro entry in the macro catalog. The description
text can be up to 256 characters in length. Enclose the description in quotation
marks. This description appears in the CATALOG window when you display the
contents of the catalog containing the stored compiled macros. The DES= option is
especially useful when you use the stored compiled macro facility.
MINDELIMITER=’single character’;
specifies a value that will override the value of the MINDELIMITER= global
option. The value must be a single character enclosed in single quotation marks
and can appear only once in a %MACRO statement.
Macro Statements 4 %MACRO Statement 291
MINOPERATOR | NOMINOPERATOR
specifies that the macro processor recognizes and evaluates the mnemonic IN and
the special character # as logical operators when evaluating arithmetic or logical
expressions during the execution of the macro. The setting of this argument
overrides the setting of the NOMINOPERATOR global system option.
The NOMINOPERATOR argument specifies that the macro processor does not
recognize the mnemonic IN and the special character # as logical operators when
evaluating arithmetic or logical expressions during the execution of the macro.
The setting of this argument overrides the setting of the MINOPERATOR global
system option.
PARMBUFF
PBUFF
assigns the entire list of parameter values in a macro call, including the
parentheses in a name-style invocation, as the value of the automatic macro
variable SYSPBUFF. Using the PARMBUFF option, you can define a macro that
accepts a varying number of parameter values.
If the macro definition includes both a set of parameters and the PARMBUFF
option, the macro invocation causes the parameters to receive values and also
causes the entire invocation list of values to be assigned to SYSPBUFF.
To invoke a macro defined with the PARMBUFF option in a windowing
environment or interactive line mode session without supplying a value list, enter
an empty set of parentheses or more program statements after the invocation to
indicate the absence of a value list, even if the macro definition contains no
parameters.
SECURE | NOSECURE
causes the contents of a macro to be encrypted when stored in a stored compiled
macro library. This feature enables you to write secure macros that will protect
intellectual property that is contained in the macros. The macros are secured
using the Encryption Algorithm Manager.
A NOSECURE option has been implemented to aid in the global edit of a source
file or library to turn on security (for example, when you are creating several
macros that will need to be secure). When creating the macros, use the
NOSECURE option. When all macros are completed and ready for production, you
can do a global edit and change NOSECURE to SECURE.
If you use the SECURE and SOURCE options on a macro, no output is
produced when you use the %COPY statement. The following NOTE is written to
the SAS log:
NOTE: The macro %name was compiled with the SECURE option. No
output will be produced for this %COPY statement.
STMT
specifies that the macro can accept either a name-style invocation or a
statement-style invocation. Macros defined with the STMT option are sometimes
called statement-style macros.
The IMPLMAC system option must be in effect to use statement-style macro
invocations. If IMPLMAC is in effect and you have defined a statement-style
macro in your program, the macro processor scans the first word of every SAS
statement to see whether it is a statement-style macro invocation. When the
NOIMPLMAC option is in effect, the macro processor treats only the words
following the % symbols as potential macro invocations. If the IMPLMAC option is
not in effect, you still can use a name-style invocation for a macro defined with the
STMT option.
292 %MACRO Statement 4 Chapter 19
SOURCE
SRC
combines and stores the source of the compiled macro with the compiled macro
code as an entry in a SAS catalog in a permanent SAS library. The SOURCE
option requires that the STORE option and the MSTORED option be set. You can
use the SASMSTORE= option to identify a permanent SAS library. You can store a
macro or call a stored compiled macro only when the MSTORED option is in effect.
(For more information, see Chapter 9, “Storing and Reusing Macros,” on page 111.)
Note: The source code saved by the SOURCE option begins with the %MACRO
keyword and ends with the semi-colon following the %MEND statement. 4
CAUTION:
The SOURCE option cannot be used on nested macro definitions (macro definitions
contained within another macro). 4
STORE
stores the compiled macro as an entry in a SAS catalog in a permanent SAS
library. Use the SAS system option SASMSTORE= to identify a permanent SAS
library. You can store a macro or call a stored compiled macro only when the SAS
system option MSTORED is in effect. (For more information, see Chapter 9,
“Storing and Reusing Macros,” on page 111.)
Details
The %MACRO statement begins the definition of a macro, assigns the macro a name,
and can include a list of macro parameters, a list of options, or both.
A macro definition must precede the invocation of that macro in your code. The
%MACRO statement can appear anywhere in a SAS program, except within data lines.
A macro definition cannot contain a CARDS statement, a DATALINES statement, a
PARMCARDS statement, or data lines. Use an INFILE statement instead.
By default, a defined macro is an entry in a SAS catalog in the WORK library. You
can also store a macro in a permanent SAS catalog for future use. However, in SAS 6
and earlier, SAS does not support copying, renaming, or transporting macros.
You can nest macro definitions, but doing so is rarely necessary and is often
inefficient. If you nest a macro definition, then it is compiled every time you invoke the
macro that includes it. Instead, nesting a macro invocation inside another macro
definition is sufficient in most cases.
Examples
Example 1: Using the %MACRO Statement with Positional Parameters In this
example, the macro PRNT generates a PROC PRINT step. The parameter in the first
position is VAR, which represents the SAS variables that appear in the VAR statement.
The parameter in the second position is SUM, which represents the SAS variables that
appear in the SUM statement.
%macro prnt(var,sum);
proc print data=srhigh;
var &var;
sum ∑
run;
%mend prnt;
In the macro invocation, all text up to the comma is the value of parameter VAR; text
following the comma is the value of parameter SUM.
%prnt(school district enrollmt, enrollmt)
Macro Statements 4 %MACRO Statement 293
Example 2: Using the %MACRO Statement with Keyword Parameters In the macro
FINANCE, the %MACRO statement defines two keyword parameters, YVAR and XVAR,
and uses the PLOT procedure to plot their values. Because the keyword parameters are
usually EXPENSES and DIVISION, default values for YVAR and XVAR are supplied in
the %MACRO statement.
%macro finance(yvar=expenses,xvar=division);
proc plot data=yearend;
plot &yvar*&xvar;
run;
%mend finance;
or
%finance;
3 To assign a new value, give the name of the parameter, an equal sign, and the
value:
%finance(xvar=year)
Because the value of YVAR did not change, it retains its default value. Macro
execution produces this code:
PROC PLOT DATA=YEAREND;
PLOT EXPENSES*YEAR;
RUN;
Example 3: Using the %MACRO Statement with the PARMBUFF Option The macro
PRINTZ uses the PARMBUFF option to enable you to input a different number of
arguments each time you invoke it:
%macro printz/parmbuff;
%let num=1;
%let dsname=%scan(&syspbuff,&num);
%do %while(&dsname ne);
proc print data=&dsname;
run;
%let num=%eval(&num+1);
%let dsname=%scan(&syspbuff,&num);
%end;
%mend printz;
294 %MACRO Statement 4 Chapter 19
This invocation of PRINTZ contains four parameter values, PURPLE, RED, BLUE, and
TEAL although the macro definition does not contain any individual parameters:
%printz(purple,red,blue,teal)
Example 4: Using the %MACRO Statement with the SOURCE Option The SOURCE
option combines and stores the source of the compiled macro with the compiled macro
code. Use the %COPY statement to write the source to the SAS log. For more
information about viewing or retrieving the stored source, see “%COPY Statement” on
page 271.
%copy foobar/source;
Example 5: Using the %MACRO Statement with the STORE and SECURE Options The
SECURE option can be used only in conjunction with the STORE option. The following
example demonstrates the use of the STORE and an implied NOSECURE option to
create a macro that is stored in plain text.
options mstored sasmstore=mylib;
libname mylib "mylib";
%macro nonsecure/store; /* This macro is stored in plain text */
data _null_;
x=1;
put "This data step was generated from a non-secure macro.";
run;
%mend nonsecure;
%nonsecure
filename maccat catalog ’mylib.sasmacr.nonsecure.macro’;
data _null_;
Macro Statements 4 %MEND Statement 295
infile maccat;
input;
list;
run;
The following example demonstrates the use of the STORE and SECURE options to
create a macro that is encrypted.
options mstored sasmstore=mylib;
libname mylib "mylib";
%macro secure/store secure; /* This macro is encrypted */
data _null_;
x=1;
put "This data step was generated from a secure macro.";
run;
%mend secure;
%secure
filename maccat catalog ’mylib.sasmacr.secure.macro’;
data _null_;
infile maccat;
input;
list;
run;
%MEND Statement
Ends a macro definition.
Type: Macro statement
Restriction: Allowed in macro definitions only
Syntax
%MEND <macro-name>;
macro-name
names the macro as it ends a macro definition. Repeating the name of the macro is
optional, but it is useful for clarity. If you specify macro-name, the name in the
%MEND statement should match the name in the %MACRO statement; otherwise,
SAS issues a warning message.
Example
Example 1: Ending a Macro Definition
%macro disc(dsn);
data &dsn;
set perm.dataset;
296 %PUT Statement 4 Chapter 19
where month="&dsn";
run;
%mend disc;
%PUT Statement
Writes text or macro variable information to the SAS log.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
Syntax
%PUT <text | _ALL_ | _AUTOMATIC_ | _GLOBAL_ | _LOCAL_ | _USER_>;
no argument
places a blank line in the SAS log.
text
is text or a text expression that is written to the SAS log. If text is longer than the
current line size, the remainder of the text appears on the next line. The %PUT
statement removes leading and trailing blanks from text unless you use a macro
quoting function.
_ALL_
lists the values of all user-generated and automatic macro variables.
_AUTOMATIC_
lists the values of automatic macro variables. The automatic variables listed depend
on the SAS products installed at your site and on your operating system. The scope
is identified as AUTOMATIC.
_GLOBAL_
lists user-generated global macro variables. The scope is identified as GLOBAL.
_LOCAL_
lists user-generated local macro variables. The scope is the name of the currently
executing macro.
_USER_
describes user-generated global and local macro variables. The scope is identified
either as GLOBAL, or as the name of the macro in which the macro variable is
defined.
Details
When you use the %PUT statement to list macro variable descriptions, the %PUT
statement includes only the macro variables that exist at the time the statement
executes. The description contains the macro variable’s scope, name, and value. Macro
variables with null values show only the scope and name of the variable. Characters in
values that have been quoted with macro quoting functions remain quoted. Values that
Macro Statements 4 %PUT Statement 297
are too long for the current line size wrap to the next line or lines. Macro variables are
listed in order from the current local macro variables outward to the global macro
variables.
Note: Within a particular scope, macro variables might appear in any order, and the
order might change in different executions of the %PUT statement or different SAS
sessions. Do not write code that depends on locating a variable in a particular position
in the list. 4
The following figure shows the relationship of these terms.
Global _GLOBAL_
_
IC
AT
_
R
M
SE
TO
_U
U
_A
_LOCAL_
Local
(current macro only)
(The only local automatic
variable is SYSPBUFF.)
_ALL_
The %PUT statement displays text in different colors to generate messages that look
like ERROR, NOTE, and WARNING messages generated by SAS. To display text in
different colors, the first word in the %PUT statement must be ERROR, NOTE, or
WARNING, followed immediately by a colon or a hyphen. You might also use the
national-language equivalents of these words. When you use a hyphen, the ERROR,
NOTE, or WARNING word is blanked out.
Examples
Example 1: Displaying Text The following statements illustrate using the %PUT
statement to write text to the SAS log:
%put One line of text.;
%put %str(Use a semicolon(;) to end a SAS statement.);
%put %str(Enter the student%’s address.);
When you submit these statements, these lines appear in the SAS log:
One line of text.
Use a semicolon(;) to end a SAS statement.
Enter the student’s address.
The result in the SAS log (depending on the products installed at your site) lists the
scope, name, and value of each automatic variable:
298 %PUT Statement 4 Chapter 19
AUTOMATIC SYSBUFFR
AUTOMATIC SYSCMD
AUTOMATIC SYSDATE 21JUN97
AUTOMATIC SYSDAY Wednesday
AUTOMATIC SYSDEVIC
AUTOMATIC SYSDSN _NULL_
AUTOMATIC SYSENV FORE
AUTOMATIC SYSERR 0
AUTOMATIC SYSFILRC 0
AUTOMATIC SYSINDEX 0
AUTOMATIC SYSINFO 0
%myprint(consumer)
Notice that SYSDATE does not appear because it is an automatic macro variable.
To display the user-generated variables after macro MYPRINT finishes, submit
another %PUT statement.
%put _user_;
The result in the SAS log does not list the macro variable NAME because it was local
to MYPRINT and ceased to exist when MYPRINT finished execution.
GLOBAL FOOT Preliminary Data
Example 4: Displaying Local Variables This example displays the macro variables
that are local to macro ANALYZE.
%macro analyze(name,vars);
%let firstvar=%scan(&vars,1);
run;
%mend analyze;
In the result, printed in the SAS log, the macro variable FIRSTVAR, which was
created after the first %PUT _LOCAL_ statement, appears only in the second list.
FIRST LIST:
ANALYZE NAME consumer
ANALYZE VARS car house stereo
SECOND LIST:
ANALYZE NAME consumer
ANALYZE VARS car house stereo
ANALYZE FIRSTVAR car
%RETURN Statement
Execution causes normal termination of the currently executing macro.
Type: Macro Statement
Restriction: Valid only in a macro definition
Syntax
%RETURN;
Details
The %RETURN macro causes normal termination of the currently executing macro.
Example
In this example, if the error variable is set to 1, then the macro will stop executing
and the DATA step will not execute.
%macro checkit(error);
%if &error = 1 %then %return;
data a;
x=1;
run;
%mend checkit;
300 %SYMDEL Statement 4 Chapter 19
%checkit(0)
%checkit(1)
%SYMDEL Statement
Deletes the specified variable or variables from the macro global symbol table.
Syntax
%SYMDEL macro-variable-1 <...macro-variable-n>< /option>;
macro-variable-1 <...macro-variable-n>
is the name of one or more macro variables or a text expression that generates one or
more macro variable names. You cannot use a SAS variable list or a macro
expression that generates a SAS variable list in a %SYMDEL statement.
options
NOWARN
suppresses the warning message when an attempt is made to delete a non-existent
macro variable.
Details
%SYMDEL statement issues a warning when an attempt is made to delete a
non-existent macro variable. To suppress this message, use the NOWARN option.
%SYSCALL Statement
Invokes a SAS call routine.
Syntax
%SYSCALL call-routine<(call-routine-argument-1 <...call-routine-argument-n>)>;
Macro Statements 4 %SYSCALL Statement 301
call-routine
is a SAS or user-written CALL routine created with SAS/TOOLKIT software or a
routine created using the FCMP procedure in Base SAS Procedures Guide. All SAS
call routines are accessible with %SYSCALL except LABEL, VNAME, SYMPUT, and
EXECUTE.
call-routine-argument-1 <...call-routine-argument-n>
is one or more macro variable names (with no leading ampersands), separated by
commas. You can use a text expression to generate part or all of the CALL routine
arguments.
Details
When %SYSCALL invokes a CALL routine, the value of each macro variable argument
is retrieved and passed unresolved to the CALL routine. Upon completion of the CALL
routine, the value for each argument is written back to the respective macro variable. If
%SYSCALL encounters an error condition, the execution of the CALL routine
terminates without updating the macro variable values, an error message is written to
the log, and macro processing continues.
CAUTION:
Do not use leading ampersands on macro variable names. The arguments in the CALL
routine invoked by the %SYSCALL macro are resolved before execution. If you use
leading ampersands, then the values of the macro variables are passed to the CALL
routine rather than the names of the macro variables. 4
CAUTION:
Macro variables contain only character data. When an argument to a function might be
either numeric data or character data, %SYSCALL attempts to convert the supplied
data to numeric data. This causes truncation of any trailing blanks if the data was
character data. %SYSCALL does not modify arguments that might be character data.
You can preserve the trailing blanks by using the %QUOTE function when
assigning the value to the macro variable that will be supplied as the argument to
the function. To determine whether it is necessary to preserve the trailing blanks
using the %QUOTE function, consult the documentation for the desired function to
see whether the arguments are numeric only, character only, or either numeric or
character. Use the %QUOTE function to quote the value supplied to arguments
which are documented to be either numeric or character. 4
Example
%let a = 123456;
%let b = 0;
%syscall ranuni(a,b);
%put &a, &b;
302 %SYSEXEC Statement 4 Chapter 19
The %PUT statement writes the following values of the macro variables A and B to
the SAS log:
1587033266 0.739019954
%SYSEXEC Statement
Issues operating environment commands.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
See also:
“SYSSCP and SYSSCPL Automatic Macro Variables” on page 202
“SYSRC Automatic Macro Variable” on page 201
Syntax
%SYSEXEC< command>;
no argument
puts you into operating environment mode under most operating environments,
where you can issue operating environment commands and return to your SAS
session.
command
is any operating environment command. If command contains a semicolon, use a
macro quoting function.
Details
The %SYSEXEC statement causes the operating environment to immediately execute
the command you specify and assigns any return code from the operating environment
to the automatic macro variable SYSRC. Use the %SYSEXEC statement and the
automatic macro variables SYSSCP and SYSSCPL to write portable macros that run
under multiple operating environments.
Operating Environment Information: These items related to the use of the %SYSEXEC
statement are operating environment specific:
3 the availability of the %SYSEXEC statement in batch processing, noninteractive
mode, or interactive line mode.
3 the way you return from operating environment mode to your SAS session after
executing the %SYSEXEC statement with no argument.
3 the commands to use with the %SYSEXEC statement.
3 the return codes you get in the automatic macro variable SYSRC.
For details, see the SAS documentation for your operating environment. 4
Macro Statements 4 %SYSLPUT Statement 303
Comparisons
The %SYSEXEC statement is analogous to the X statement and the X windowing
environment command. However, unlike the X statement and the X windowing
environment command, host commands invoked with %SYSEXEC should not be
enclosed in quotation marks.
%SYSLPUT Statement
Creates a new macro variable or modifies the value of an existing macro variable on a remote
host or server.
Type: Macro Statement
Restriction: Allowed in macro definitions or open code
Requirement: SAS/CONNECT
See also:
“%LET Statement” on page 287
“%SYSRPUT Statement” on page 304
Syntax
%SYSLPUTmacro-variable=< value</REMOTE=remote-session-identifier>>;
macro-variable
is either the name of a macro variable or a macro expression that produces a macro
variable name. The name can refer to a new or existing macro variable on a remote
host or server.
remote-session-identifier
is the name of the remote session.
value
is a string or a macro expression that yields a string. Omitting the value produces a
null (0 characters). Leading and trailing blanks are ignored. To make them
significant, enclose the value in the %STR function.
Details
The %SYSLPUT statement is submitted with SAS/CONNECT software from the local
host or client to a remote host or server to create a new macro variable on the remote
host or server, or to modify the value of an existing macro variable on the remote host
or server.
Note: The names of the macro variables on the remote and local hosts must not
contain any leading ampersands. 4
To assign the value of a macro variable on a remote host to a macro variable on the
local host, use the %SYSRPUT statement.
304 %SYSRPUT Statement 4 Chapter 19
To use %SYSLPUT, you must have initiated a link between a local SAS session or
client and a remote SAS session or server using the SIGNON command or SIGNON
statement. For more information, see the documentation for SAS/CONNECT software.
%SYSRPUT Statement
Assigns the value of a macro variable on a remote host to a macro variable on the local host.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
Requirement: SAS/CONNECT
See also:
“SYSERR Automatic Macro Variable” on page 190
“SYSINFO Automatic Macro Variable” on page 194
“%SYSLPUT Statement” on page 303
Syntax
%SYSRPUT local-macro-variable=remote-macro-variable;
local-macro-variable
is the name of a macro variable with no leading ampersand or a text expression that
produces the name of a macro variable. This name must be a macro variable stored
on the local host.
remote-macro-variable
is the name of a macro variable with no leading ampersand or a text expression that
produces the name of a macro variable. This name must be a macro variable stored
on a remote host.
Details
The %SYSRPUT statement is submitted with SAS/CONNECT to a remote host to
retrieve the value of a macro variable stored on the remote host. %SYSRPUT assigns
that value to a macro variable on the local host. %SYSRPUT is similar to the %LET
macro statement because it assigns a value to a macro variable. However, %SYSRPUT
assigns a value to a variable on the local host, not on the remote host where the
statement is processed. The %SYSRPUT statement places the macro variable into the
global symbol table in the client session.
Note: The names of the macro variables on the remote and local hosts must not
contain a leading ampersand. 4
The %SYSRPUT statement is useful for capturing the value of the automatic macro
variable SYSINFO and passing that value to the local host. SYSINFO contains
return-code information provided by some SAS procedures. Both the UPLOAD and the
DOWNLOAD procedures of SAS/CONNECT can update the macro variable SYSINFO
and set it to a nonzero value when the procedure terminates due to errors. You can use
Macro Statements 4 %WINDOW Statement 305
%SYSRPUT on the remote host to send the value of the SYSINFO macro variable back
to the local SAS session. Thus, you can submit a job to the remote host and test
whether a PROC UPLOAD or DOWNLOAD step has successfully completed before
beginning another step on either the remote host or the local host.
For details about using %SYSRPUT, see the documentation for SAS/CONNECT
Software.
To create a new macro variable or modify the value of an existing macro variable on
a remote host or server, use the %SYSLPUT macro statement.
Example
Example 1: Checking the Value of a Return Code on a Remote Host This example
illustrates how to download a file and return information about the success of the step
from a noninteractive job. When remote processing is completed, the job then checks
the value of the return code stored in RETCODE. Processing continues on the local host
if the remote processing is successful.
The %SYSRPUT statement is useful for capturing the value returned in the
SYSINFO macro variable and passing that value to the local host. The SYSINFO macro
variable contains return-code information provided by SAS procedures. In the example,
the %SYSRPUT statement follows a PROC DOWNLOAD step, so the value returned by
SYSINFO indicates the success of the PROC DOWNLOAD step:
rsubmit;
%macro download;
proc download data=remote.mydata out=local.mydata;
run;
%sysrput retcode=&sysinfo;
%mend download;
%download
endrsubmit;
%macro checkit;
%if &retcode = 0 %then %do;
further processing on local host
%end;
%mend checkit;
%checkit
%WINDOW Statement
Defines customized windows.
Type: Macro statement
Restriction: Allowed in macro definitions or open code
See also:
306 %WINDOW Statement 4 Chapter 19
Syntax
%WINDOWwindow-name<window-option-1 <...window-option-n> group-definition-1
<...group-definition-n>>field-definition-1 <...field-definition-n>;
window-name
names the window. Window-name must be a SAS name.
window-option-1 <...window-option-n>
specifies the characteristics of the window as a whole. Specify all window options
before any field or group definitions. These window options are available:
COLOR=color
specifies the color of the window background. The default color of the window and
the contents of its fields are both device-dependent. Color can be one of these:
BLACK
BLUE
BROWN
CYAN
GRAY (or GREY)
GREEN
MAGENTA
ORANGE
PINK
RED
WHITE
YELLOW
Operating Environment Information: The representation of colors might vary,
depending on the display device you use. In addition, on some display devices the
background color affects the entire window; on other display devices, it affects only
the window border. 4
COLUMNS=columns
specifies the number of display columns in the window, including borders. A
window can contain any number of columns and can extend beyond the border of
the display. This feature is useful when you need to display a window on a device
larger than the one on which you developed it. By default, the window fills all
remaining columns in the display.
Operating Environment Information: The number of columns available depends
on the type of display device you use. Also, the left and right borders each use
from 0 to 3 columns on the display depending on your display device. If you create
windows for display on different types of display devices, ensure that all fields can
be displayed in the narrowest window. 4
Macro Statements 4 %WINDOW Statement 307
ICOLUMN=column
specifies the initial column within the display at which the window is displayed.
By default, the macro processor begins the window at column 1 of the display.
IROW=row
specifies the initial row (line) within the display at which the window is displayed.
By default, the macro processor begins the window at row 1 of the display.
KEYS=<<libref.>catalog.>keys-entry
specifies the name of a KEYS catalog entry that contains the function key
definitions for the window. If you omit libref and catalog, SAS uses
SASUSER.PROFILE.keys-entry.
If you omit the KEYS= option, SAS uses the current function key settings
defined in the KEYS window.
MENU=<<libref.>catalog.>pmenu-entry
specifies the name of a menu you have built with the PMENU procedure. If you
omit libref and catalog, SAS uses SASUSER.PROFILE.pmenu-entry.
ROWS=rows
specifies the number of rows in the window, including borders. A window can
contain any number of rows and can extend beyond the border of the display
device. This feature is useful when you need to display a window on a device
larger than the one on which you developed it. If you omit a number, the window
fills all remaining rows in the display device.
Operating Environment Information: The number of rows available depends on
the type of display device you use. 4
group-definition
names a group and defines all fields within a group. The form of group definition is
GROUP=group field-definition <. . . field-definition-n>
where group names a group of fields that you want to display in the window
collectively. A window can contain any number of groups of fields; if you omit the
GROUP= option, the window contains one unnamed group of fields. Group must be a
SAS name.
Organizing fields into groups enables you to create a single window with several
possible contents. To refer to a particular group, use window.group.
field-definition
identifies and describes a macro variable or string you want to display in the window.
A window can contain any number of fields.
You use a field to identify a macro variable value (or constant text) to be displayed,
its position within the window, and its attributes. Enclose constant text in quotation
marks. The position of a field is determined by beginning row and column. The
attributes that you can specify include color, whether you can enter a value into the
field, and characteristics such as highlighting.
The form of a field definition containing a macro variable is
<row> <column> macro-variable<field-length> <options>
The form of a field definition containing constant text is
<row> <column>’text’ | “text”<options>
308 %WINDOW Statement 4 Chapter 19
CAUTION:
Do not overlap fields. Do not let a field overlap another field displayed at the
same time. Unexpected results, including the incorrect assignment of values to
macro variables, might occur. (Some display devices treat adjacent fields with
no intervening blanks as overlapping fields.) SAS writes a warning in the SAS
log if fields overlap. 4
field-length
is an integer specifying how many positions in the current row are available for
displaying the macro variable’s value or for accepting input. The maximum value
of field-length is the number of positions remaining in the row. You cannot extend
a field beyond one row.
Note: The field length does not affect the length stored for the macro variable.
The field length affects only the number of characters displayed or accepted for
input in a particular field. 4
If you omit field-length when the field contains an existing macro variable, the
macro processor uses a field equal to the current length of the macro variable
value. This value can be up to the number of positions remaining in the row or
remaining until the next field begins.
CAUTION:
Specify a field length whenever a field contains a macro variable. If the current
value of the macro variable is null, as in a macro variable defined in a
%GLOBAL or %LOCAL statement, the macro processor uses a field length of 0.
You cannot input any characters into the field. 4
If you omit field-length when the macro variable is created in that field, the
macro processor uses a field length of zero. Specify a field length whenever a field
contains a macro variable.
‘text’ | “text”
contains constant text to be displayed. The text must be enclosed in either single
or double quotation marks. You cannot enter a value into a field containing
constant text.
options
can include the following:
ATTR=attribute | (attribute-1 <. . . , attribute-n>) A=attribute |
(attribute-1 <. . . , attribute-n>)
controls several display attributes of the field. The display attributes and
combinations of display attributes available depend on the type of display device
you use.
BLINK causes the field to blink.
HIGHLIGHT displays the field at high intensity.
REV_VIDEO displays the field in reverse video.
UNDERLINE underlines the field.
310 %WINDOW Statement 4 Chapter 19
AUTOSKIP=YES | NO
AUTO=YES | NO
controls whether the cursor moves to the next unprotected field of the current
window or group when you have entered data in all positions of a field. If you
specify AUTOSKIP=YES, the cursor moves automatically to the next
unprotected field. If you specify AUTOSKIP=NO, the cursor does not move
automatically. The default is AUTOSKIP=YES.
COLOR=color C=color
specifies a color for the field. The default color is device-dependent. Color can be
one of these:
BLACK
BLUE
BROWN
CYAN
MAGENTA
ORANGE
PINK
WHITE
YELLOW
DISPLAY=YES | NO
determines whether the macro processor displays the characters you are
entering into a macro variable value as you enter them. If you specify
DISPLAY=YES (the default value), the macro processor displays the characters
as you enter them. If you specify DISPLAY=NO, the macro processor does not
display the characters as you enter them.
DISPLAY=NO is useful for applications that require users to enter
confidential information, such as passwords. Use the DISPLAY= option only
with fields containing macro variables; constant text is displayed automatically.
PROTECT=YES | NO
P=YES | NO
controls whether information can be entered into a field containing a macro
variable. If you specify PROTECT=NO (the default value), you can enter
information. If you specify PROTECT=YES, you cannot enter information into a
field. Use the PROTECT= option only for fields containing macro variables;
fields containing text are automatically protected.
REQUIRED=YES | NO
determines whether you must enter a value for the macro variable in that field.
If you specify REQUIRED=YES, you must enter a value into that field in order
to remove the display from the window. You cannot enter a null value into a
required field. If you specify REQUIRED=NO (the default value), you do not
have to enter a value in that field in order to remove the display from the
window. Entering a command on the command line of the window removes the
effect of REQUIRED=YES.
Macro Statements 4 %WINDOW Statement 311
Details
Use the %WINDOW statement to define customized windows that are controlled by the
macro processor. These windows have command and message lines. You can use these
windows to display text and accept input. In addition, you can invoke windowing
environment commands, assign function keys, and use a menu generated by the
PMENU facility.
You must define a window before you can display it. The %WINDOW statement
defines macro windows; the %DISPLAY statement displays macro windows. Once
defined, a macro window exists until the end of the SAS session, and you can display a
window or redefine it at any point.
Defining a macro window within a macro definition causes the macro processor to
redefine the window each time the macro executes. If you repeatedly display a window
whose definition does not change, it is more efficient to do one of the following:
3 define the window outside a macro
3 define the window in a macro that you execute once rather than in the macro in
which you display it
If a %WINDOW statement contains the name of a new macro variable, the macro
processor creates that variable with the current scope. The %WINDOW statement
creates two automatic macro variables.
SYSCMD
contains the last command from the window’s command line that was not
recognized by the windowing environment.
SYSMSG
contains text you specify to be displayed on the message line.
Example
Example 1: Creating an Application Welcome Window This %WINDOW statement
creates a window with a single group of fields:
%window welcome color=white
#5 @28 ’Welcome to SAS.’ attr=highlight
color=blue
#7 @15
"You are executing Release &sysver on &sysday, &sysdate.."
#12 @29 ’Press ENTER to continue.’;
The WELCOME window fills the entire display device. The window is white, the first
line of text is blue, and the other two lines are black at normal intensity. The
WELCOME window does not require you to input any values. However, you must press
ENTER to remove the display from the window.
Note: Two periods are a needed delimiter for the reference to the macro variables
SYSVER, SYSDAY, and SYSDATE. 4
312
313
CHAPTER
20
System Options for Macros
Syntax
CMDMAC | NOCMDMAC
CMDMAC
specifies that the macro processor examine the first word of every windowing
environment command to see whether it is a command-style macro invocation.
Note: When CMDMAC is in effect, SAS searches the macro libraries first and
executes any member it finds with the same name as the first word in the windowing
environment command that was issued. Unexpected results can occur. 4
NOCMDMAC
specifies that no check be made for command-style macro invocations. If the macro
processor encounters a command-style macro call when NOCMDMAC is in effect, it
treats the call as a SAS command and produces an error message if the command is
not valid or is not used correctly.
Details
The CMDMAC system option controls whether macros defined as command-style
macros can be invoked with command-style macro calls or if these macros must be
invoked with name-style macro calls. These two examples illustrate command-style and
name-style macro calls, respectively:
314 IMPLMAC System Option 4 Chapter 20
3 %macro-name(parameter-value-1, parameter-value-2)
When you use CMDMAC, processing time is increased because the macro facility
searches the macros compiled during the current session for a name corresponding to
the first word on the command line. If the MSTORED option is in effect, the libraries
containing compiled stored macros are searched for a name corresponding to that word.
If the MAUTOSOURCE option is in effect, the autocall libraries are searched for a
name corresponding to that word. If the MRECALL system option is also in effect,
processing time can be increased further because the search continues even if a word
was not found in a previous search.
Regardless of which option is in effect, you can use a name-style invocation to call
any macro, including command-style macros.
Tip
Name-style macros are the more efficient choice for invoking macros because the macro
processor searches only for a macro name corresponding to a word following a percent
sign.
Syntax
IMPLMAC | NOIMPLMAC
IMPLMAC
specifies that the macro processor examine the first word of every submitted
statement to see whether it is a statement-style macro invocation.
Note: When IMPLMAC is in effect, SAS searches the macro libraries first and
executes any macro it finds with the same name as the first word in the SAS
statement that was submitted. Unexpected results can occur. 4
System Options for Macros 4 MACRO System Option 315
NOIMPLMAC
specifies that no check be made for statement-style macro invocations. This is the
default. If the macro processor encounters a statement-style macro call when
NOIMPLMAC is in effect, it treats the call as a SAS statement. SAS produces an
error message if the statement is not valid or if it is not used correctly.
Details
The IMPLMAC system option controls whether macros defined as statement-style
macros can be invoked with statement-style macro calls or if these macros must be
invoked with name-style macro calls. These examples illustrate statement-style and
name-style macro calls, respectively:
3 macro-name parameter-value-1 parameter-value-2;
3 %macro-name(parameter-value-1, parameter-value-2)
When you use IMPLMAC, processing time is increased because SAS searches the
macros compiled during the current session for a name corresponding to the first word
of each SAS statement. If the MSTORED option is in effect, the libraries containing
compiled stored macros are searched for a name corresponding to that word. If the
MAUTOSOURCE option is in effect, the autocall libraries are searched for a name
corresponding to that word. If the MRECALL system option is also in effect, processing
time can be increased further because the search continues even if a word was not
found in a previous search.
Regardless of which option is in effect, you can call any macro with a name-style
invocation, including statement-style macros.
Note: If a member in an autocall library or stored compiled macro catalog has the
same name as an existing windowing environment command, SAS searches for the
macro first if CMDMAC is in effect. Unexpected results can occur. 4
Tip
Name-style macros are a more efficient choice to use when you invoke macros because
the macro processor searches only for the macro name that corresponds to a word that
follows a percent sign.
Syntax
MACRO | NOMACRO
316 MAUTOLOCDISPLAY System Option 4 Chapter 20
MACRO
enables SAS to recognize and process macro language statements, macro calls, and
macro variable references.
NOMACRO
prevents SAS from recognizing and processing macro language statements, macro
calls, and macro variable references. The item generally is not recognized, and an
error message is issued. If the macro facility is not used in a job, a small
performance gain can be made by setting NOMACRO because there is no overhead of
checking for macros or macro variables.
Syntax
MAUTOLOCDISPLAY | NOMAUTOLOCDISPLAY
MAUTOLOCDISPLAY
enables MACRO to display the autocall macro source location in the log when the
autocall macro is invoked.
NOMAUTOLOCDISPLAY
prevents the autocall macro source location from being displayed in the log when the
autocall macro is invoked. NOMAUTOLOCDISPLAY is the default.
Details
When both MAUTOLOCDISPLAY and MLOGIC options are set, only the MLOGIC
listing of the autocall source location is displayed.
System Options for Macros 4 MCOMPILENOTE System Option 317
Syntax
MAUTOSOURCE | NOMAUTOSOURCE
MAUTOSOURCE
causes the macro processor to search the autocall libraries for a member with the
requested name when a macro name is not found in the WORK library.
NOMAUTOSOURCE
prevents the macro processor from searching the autocall libraries when a macro
name is not found in the WORK library.
Details
When the macro facility searches for macros, it searches first for macros compiled in the
current SAS session. If the MSTORED option is in effect, the macro facility next
searches the libraries containing compiled stored macros. If the MAUTOSOURCE
option is in effect, the macro facility next searches the autocall libraries.
Syntax
MCOMPILENOTE=<NONE | NOAUTOCALL | ALL>
NONE
prevents any NOTE from being written to the log.
NOAUTOCALL
prevents any NOTE from being written to the log for AUTOCALL macros, but does
issue a NOTE to the log upon the completion of the compilation of any other macro.
ALL
issues a NOTE to the log. The note contains the size and number of instructions
upon the completion of the compilation of any macro.
Details
The NOTE confirms that the compilation of the macro was completed. When the option
is on and the NOTE is issued, the compiled version of the macro is available for
execution. A macro can successfully compile, but still contain errors or warnings that
will cause the macro to not execute as you intended.
Examples
A macro can actually compile and still contain errors. Here is an example of the
NOTE without errors:
option mcompilenote=noautocall;
%macro mymacro;
%mend mymacro;
Valid in:
Configuration file
OPTIONS window
OPTIONS statement
SAS invocation
Type: System option
Default: MCOMPILE
PROC OPTIONS GROUP= MACRO
Syntax
MCOMPILE | NOMCOMPILE
MCOMPILE
allows new macro definitions.
NOMCOMPILE
disallows new macro definitions.
Details
The MCOMPILE system option allows new definitions of macros.
The NOMCOMPILE system option prevents new definitions of macros. It does not
prevent the use of existing stored compiled or autocall macros.
Syntax
MERROR | NOMERROR
320 MEXECNOTE System Option 4 Chapter 20
MERROR
issues the following warning message when the macro processor cannot match a
macro reference to a compiled macro:
WARNING: Apparent invocation of macro %text not resolved.
NOMERROR
issues no warning messages when the macro processor cannot match a macro
reference to a compiled macro.
Details
Several conditions can prevent a macro reference from resolving. These conditions
appear when
3 a macro name is misspelled
3 a macro is called before being defined
3 strings containing percent signs are encountered. For example:
TITLE Cost Expressed as %Sales;
If your program contains a percent sign in a string that could be mistaken for a
macro keyword, specify NOMERROR.
Syntax
MEXECNOTE | NOMEXECNOTE
MEXECNOTE displays the macro execution information in the log when the macro
is invoked.
System Options for Macros 4 MEXECSIZE System Option 321
NOMEXECNOTE does not display the macro execution information in the log when
the macro is invoked.
Details
The MEXECNOTE option controls the generation of a NOTE in the SAS log that
indicates the macro execution mode.
Syntax
MEXECSIZE=n | nK | nM | nG | nT | hexX | MIN | MAX
Details
Use the MEXECSIZE option to control the maximum size macro that will be executed
in memory as opposed to being executed from a file. The MEXECSIZE option value is
the compiled size of the macro. Memory is allocated only when the macro is executed.
After the macro completes, the memory is released. If memory is not available to
execute the macro, an out-of-memory message is written to the SAS log. Use the
MCOMPILENOTE option to write to the SAS log the size of the compiled macro. The
MEMSIZE option does not affect the MEXECSIZE option.
Syntax
MFILE | NOMFILE
MFILE
routes output produced by the MPRINT option to an external file. This option is
useful for debugging.
NOMFILE
does not route MPRINT output to an external file.
Details
The MPRINT option must also be in effect to use MFILE, and an external file must be
assigned the fileref MPRINT. Macro-generated code that is displayed by the MPRINT
option in the SAS log during macro execution is written to the external file referenced
by the fileref MPRINT.
System Options for Macros 4 MINDELIMITER= System Option 323
If MPRINT is not assigned as a fileref or if the file cannot be accessed, warnings are
written to the SAS log and MFILE is set to off. To use the feature again, you must
specify MFILE again and assign the fileref MPRINT to a file that can be accessed.
Syntax
MINDELIMITER=<”option”>
option
is a character enclosed in double or single quotation marks. The character will be
used as the delimiter for the macro IN operator. Here is an example:
Details
The option value is retained in original case and can have a maximum length of one
character. The default value of the MINDELIMITER option is a blank.
You can use the # character instead of IN.
Note: When the IN or # operator is used in a macro, the delimiter that is used at
the execution time of the macro is the value of the MINDELIMITER option at the time
of the compilation of the macro. 4
Example
The following is an example using a specified delimiter in an IN operator:
%put %eval(a in d,e,f,a,b,c); /* should print 0 */
324 MINOPERATOR System Option 4 Chapter 20
option mindelimiter=’,’;
%put %eval(a in d,e,f,a,b,c); /* should print 1 */
option mindelimiter=’,’;
%put %eval(a in d,e,f,a,b,c); /* should print 1 */
Syntax
MINOPERATOR | NOMINOPERATOR
MINOPERATOR
causes the macro processor to recognize and evaluate both the mnemonic operator IN
or the special character # as a logical operator in expressions.
NOMINOPERATOR
causes the macro processor to recognize both the mnemonic operator IN and the
special character # as regular characters.
Details
You must use the MINOPERATOR system option in the %MACRO statement if you
want to use the IN (#) as operators in expressions. For more information, see “Defining
Arithmetic and Logical Expressions” on page 70.
Syntax
MLOGIC | NOMLOGIC
MLOGIC
causes the macro processor to trace its execution and to write the trace information
to the SAS log. This option is a useful debugging tool.
NOMLOGIC
does not trace execution. Use this option unless you are debugging macros.
326 MLOGIC System Option 4 Chapter 20
Details
Use MLOGIC to debug macros. Each line generated by the MLOGIC option is identified
with the prefix MLOGIC(macro-name):. If MLOGIC is in effect and the macro processor
encounters a macro invocation, the macro processor displays messages that identify the
following:
3 the beginning of macro execution
3 values of macro parameters at invocation
3 execution of each macro program statement
3 whether each %IF condition is true or false
3 the ending of macro execution.
Example
Example 1: Tracing Macro Execution
In this example, MLOGIC traces the execution
of the macros MKTITLE and RUNPLOT:
%macro mktitle(proc,data);
title "%upcase(&proc) of %upcase(&data)";
%mend mktitle;
%macro runplot(ds);
%if %sysprod(graph)=1 %then
%do;
%mktitle (gplot,&ds)
proc gplot data=&ds;
plot style*price
/ haxis=0 to 150000 by 50000;
run;
quit;
%end;
%else
%do;
%mktitle (plot,&ds)
proc plot data=&ds;
plot style*price;
run;
quit;
%end;
%mend runplot;
options mlogic;
%runplot(sasuser.houses)
When this program executes, this MLOGIC output is written to the SAS log:
MLOGIC(RUNPLOT): Beginning execution.
MLOGIC(RUNPLOT): Parameter DS has value sasuser.houses
MLOGIC(RUNPLOT): %IF condition %sysprod(graph)=1 is TRUE
System Options for Macros 4 MLOGICNEST System Option 327
Syntax
MLOGICNEST | NOMLOGICNEST
MLOGICNEST
enables the macro nesting information to be displayed in the MLOGIC output in the
SAS log.
NOMLOGICNEST
prevents the macro nesting information from being displayed in the MLOGIC output
in the SAS log.
Details
MLOGICNEST enables the macro nesting information to be written to the SAS log in
the MLOGIC output.
The setting of MLOGICNEST does not affect the output of any currently executing
macro.
The setting of MLOGICNEST does not imply the setting of MLOGIC. You must set
both MLOGIC and MLOGICNEST in order for output (with nesting information) to be
written to the SAS log.
328 MLOGICNEST System Option 4 Chapter 20
Examples
The first example shows both the MLOGIC and MLOGICNEST options being set:
%macro outer;
%put THIS IS OUTER;
%inner;
%mend outer;
%macro inner;
%put THIS IS INNER;
%inrmost;
%mend inner;
%macro inrmost;
%put THIS IS INRMOST;
%mend;
Here is the MLOGIC output in the SAS log using the MLOGICNEST option:
MLOGIC(OUTER): Beginning execution.
MLOGIC(OUTER): %PUT THIS IS OUTER
THIS IS OUTER
MLOGIC(OUTER.INNER): Beginning execution.
MLOGIC(OUTER.INNER): %PUT THIS IS INNER
THIS IS INNER
MLOGIC(OUTER.INNER.INRMOST): Beginning execution.
MLOGIC(OUTER.INNER.INRMOST): %PUT THIS IS INRMOST
THIS IS INRMOST
MLOGIC(OUTER.INNER.INRMOST): Ending execution.
MLOGIC(OUTER.INNER): Ending execution.
MLOGIC(OUTER): Ending execution.
options nomlogicnest;
%outer
Here is the output in the SAS log when you use only the NOMLOGICNEST option:
MLOGIC(OUTER): Beginning execution.
MLOGIC(OUTER): %PUT THIS IS OUTER
THIS IS OUTER
MLOGIC(INNER): Beginning execution.
MLOGIC(INNER): %PUT THIS IS INNER
System Options for Macros 4 MPRINT System Option 329
THIS IS INNER
MLOGIC(INRMOST): Beginning execution.
MLOGIC(INRMOST): %PUT THIS IS INRMOST
THIS IS INRMOST
MLOGIC(INRMOST): Ending execution.
MLOGIC(INNER): Ending execution.
MLOGIC(OUTER): Ending execution.
Valid in:
Configuration file
OPTIONS window
OPTIONS statement
SAS invocation
Type: System option
Default: NOMPRINT
PROC OPTIONS GROUP= MACRO
LOGCONTROL
See also: “MFILE System Option” on page 322 “The SAS Log” in SAS Language
Reference: Concepts
Syntax
MPRINT | NOMPRINT
MPRINT
displays the SAS statements that are generated by macro execution. The SAS
statements are useful for debugging macros.
NOMPRINT
does not display SAS statements that are generated by macro execution.
Details
The MPRINT option displays the text generated by macro execution. Each SAS
statement begins a new line. Each line of MPRINT output is identified with the prefix
MPRINT(macro-name):, to identify the macro that generates the statement. Tokens
that are separated by multiple spaces are printed with one intervening space.
You can direct MPRINT output to an external file by also using the MFILE option
and assigning the fileref MPRINT to that file. For more information, see “MFILE
System Option” on page 322.
330 MPRINT System Option 4 Chapter 20
Examples
Example 1: Tracing Generation of SAS Statements In this example, MPRINT traces
the SAS statements that are generated when the macros MKTITLE and RUNPLOT
execute:
%macro mktitle(proc,data);
title "%upcase(&proc) of %upcase(&data)";
%mend mktitle;
%macro runplot(ds);
%if %sysprod(graph)=1 %then
%do;
%mktitle (gplot,&ds)
proc gplot data=&ds;
plot style*price
/ haxis=0 to 150000 by 50000;
run;
quit;
%end;
%else
%do;
%mktitle (plot,&ds)
proc plot data=&ds;
plot style*price;
run;
quit;
%end;
%mend runplot;
options mprint;
%runplot(sasuser.houses)
When this program executes, this MPRINT output is written to the SAS log:
MPRINT(MKTITLE): TITLE "GPLOT of SASUSER.HOUSES";
MPRINT(RUNPLOT): PROC GPLOT DATA=SASUSER.HOUSES;
MPRINT(RUNPLOT): PLOT STYLE*PRICE / HAXIS=0 TO 150000 BY 50000;
MPRINT(RUNPLOT): RUN;
MPRINT(RUNPLOT): QUIT;
Syntax
MPRINTNEST | NOMPRINTNEST
MPRINTNEST
enables the macro nesting information to be displayed in the MPRINT output in the
SAS log.
NOMPRINTNEST
prevents the macro nesting information from being displayed in the MPRINT output
in the SAS log.
Details
MPRINTNEST enables the macro nesting information to be written to the SAS log in
the MPRINT output. The MPRINTNEST output has no effect on the MPRINT output
that is sent to an external file. For more information, see MFILE System Option.
The setting of MPRINTNEST does not imply the setting of MPRINT. You must set
both MPRINT and MPRINTNEST in order for output (with the nesting information) to
be written to the SAS log.
Examples
The following example uses the MPRINT and MPRINTNEST options:
%macro outer;
data _null_;
%inner
run;
%mend outer;
%macro inner;
put %inrmost;
%mend inner;
%macro inrmost;
332 MPRINTNEST System Option 4 Chapter 20
Here is the output written to the SAS log using both the MPRINT option and the
MPRINTNEST option:
%macro outer;
data _null_;
%inner
run;
%mend outer;
%macro inner;
put %inrmost;
%mend inner;
%macro inrmost;
’This is the text of the PUT statement’
%mend inrmost;
options nomprintnest;
%outer
Here is the output written to the SAS log using the NOMPRINTNEST option:
MPRINT(OUTER): data _null_;
MPRINT(INNER): put
MPRINT(INRMOST): ’This is the text of the PUT statement’
MPRINT(INNER): ;
MPRINT(OUTER): run;
This is the text of the PUT statement
NOTE: DATA statement used (Total process time):
real time 0.00 seconds
cpu time 0.01 seconds
System Options for Macros 4 MREPLACE System Option 333
Syntax
MRECALL | NOMRECALL
MRECALL
searches the autocall libraries for an undefined macro name each time an attempt is
made to invoke the macro. It is inefficient to search the autocall libraries repeatedly
for an undefined macro. Generally, use this option when you are developing or
debugging programs that call autocall macros.
NOMRECALL
searches the autocall libraries only once for a requested macro name.
Details
Use the MRECALL option primarily for
3 developing systems that require macros in autocall libraries.
3 recovering from errors caused by an autocall to a macro that is in an unavailable
library. Use MRECALL to call the macro again after making the library available.
In general, do not use MRECALL unless you are developing or debugging autocall
macros.
Syntax
MREPLACE | NOMREPLACE
MREPLACE
enables you to redefine existing macro definitions that are stored in a catalog in the
WORK library.
NOMREPLACE
prevents you from redefining existing macro definitions that are stored in a catalog
in the WORK library.
Details
The MREPLACE system option enables you to overwrite existing macros if the names
are the same.
The NOMREPLACE system option prevents you from overwriting a macro even if a
macro with the same name has already been compiled.
Syntax
MSTORED | NOMSTORED
MSTORED
searches for stored compiled macros in a catalog in the SAS library referenced by the
SASMSTORE= option.
NOMSTORED
does not search for compiled macros.
System Options for Macros 4 MSYMTABMAX= System Option 335
Details
Regardless of the setting of MSTORED, the macro facility first searches for macros
compiled in the current SAS session. If the MSTORED option is in effect, the macro
facility next searches the libraries containing compiled stored macros. If the
MAUTOSOURCE option is in effect, the macro facility next searches the autocall
libraries. Then, the macro facility searches the SASMACR catalog in the SASHELP
library.
Syntax
MSYMTABMAX= n | nK | nM | nG | MAX
Details
Once the maximum value is reached, additional macro variables are written out to disk.
The value you specify with the MSYMTABMAX= system option can range from 0 to
the largest non-negative integer representable on your operating environment. The
default values are host dependent. A value of 0 causes all macro symbol tables to be
written to disk.
The value of MSYMTABMAX= can affect system performance. If this option is set too
low and the application frequently reaches the specified memory limit, then disk I/O
increases. If this option is set too high (on some operating environments) and the
application frequently reaches the specified memory limit, then less memory is
available for the application, and CPU usage increases. Before you specify the value for
production jobs, run tests to determine the optimum value.
336 MVARSIZE= System Option 4 Chapter 20
Syntax
MVARSIZE= n | nK | nM | nG | MAX
Details
If the memory required for a macro variable value is larger than the MVARSIZE=
value, the variable is written to a temporary catalog on disk. The macro variable name
is used as the member name, and all members have the type MSYMTAB.
The value you specify with the MVARSIZE= system option can range from 0 to
65534. A value of 0 causes all macro variable values to be written to disk.
The value of MVARSIZE= can affect system performance. If this option is set too low
and the application frequently creates macro variables larger than the limit, then disk
I/O increases. Before you specify the value for production jobs, run tests to determine
the optimum value.
Note: The MVARSIZE= option has no affect on the maximum length of the value of
the macro variable. For more information, see “Introduction to Macro Variables” on
page 19. 4
System Options for Macros 4 SASAUTOS= System Option 337
Syntax
SASAUTOS= library-specification |
(library-specification-1 . . . , library-specification-n)
library-specification
identifies a location that contains library members that contain a SAS macro
definition. A location can be a SAS fileref or a host-specific location name enclosed in
quotation marks. Each member contains a SAS macro definition.
(library-specification-1 . . . , library-specification-n)
identifies two or more locations that contain library members that contain a SAS
macro definition. A location can be a SAS fileref or a host-specific location name
enclosed in quotation marks. When you specify two or more autocall libraries,
enclose the specifications in parentheses and separate them with either a comma or a
blank space.
Details
When SAS searches for an autocall macro definition, it opens and searches each
location in the same order that it is specified in the SASAUTOS option. If SAS cannot
open any specified location, it generates a warning message and sets the
NOMAUTOSOURCE system option on. To use the autocall facility again in the same
SAS session, you must specify the MAUTOSOURCE option again.
For more information, see Chapter 9, “Storing and Reusing Macros,” on page 111.
338 SASMSTORE= System Option 4 Chapter 20
Syntax
SASMSTORE=libref
libref
specifies the libref of a SAS library that contains, or will contain, a catalog of stored
compiled SAS macros. This libref cannot be WORK.
Syntax
SERROR | NOSERROR
SERROR
issues a warning message when the macro processor cannot match a macro variable
reference to an existing macro variable.
NOSERROR
issues no warning messages when the macro processor cannot match a macro
variable reference to an existing macro variable.
Details
Several conditions can occur that prevent a macro variable reference from resolving.
These conditions appear when one or more of the following is true:
3 the name in a macro variable reference is misspelled.
3 the variable is referenced before being defined.
3 the program contains an ampersand (&) followed by a string, without intervening
blanks between the ampersand and the string. For example:
if x&y then do;
if buyer="Smith&Jones, Inc." then do;
If your program uses a text string containing ampersands and you want to suppress
the warnings, specify NOSERROR.
Syntax
SYMBOLGEN | NOSYMBOLGEN
SYMBOLGEN
displays the results of resolving macro variable references. This option is useful for
debugging.
NOSYMBOLGEN
does not display results of resolving macro variable references.
Details
SYMBOLGEN displays the results in this form:
SYMBOLGEN: Macro variable name resolves to value
Example
Example 1: Tracing Resolution of Macro Variable References In this example,
SYMBOLGEN traces the resolution of macro variable references when the macros
MKTITLE and RUNPLOT execute:
%macro mktitle(proc,data);
title "%upcase(&proc) of %upcase(&data)";
%mend mktitle;
%macro runplot(ds);
%if %sysprod(graph)=1 %then
%do;
%mktitle (gplot,&ds)
proc gplot data=&ds;
plot style*price
/ haxis=0 to 150000 by 50000;
run;
quit;
%end;
%else
%do;
%mktitle (plot,&ds)
proc plot data=&ds;
plot style*price;
run;
quit;
%end;
%mend runplot;
%runplot(sasuser.houses)
When this program executes, this SYMBOLGEN output is written to the SAS log:
System Options for Macros 4 SYSPARM= System Option 341
Valid in:
Configuration file
OPTIONS window
OPTIONS statement
SAS invocation
Type: System option
Syntax
SYSPARM=’character-string’
character-string
is a character string, enclosed in quotation marks, with a maximum length of 200.
Details
The character string specified can be accessed in a SAS DATA step by the SYSPARM()
function or anywhere in a SAS program by using the automatic macro variable
reference &SYSPARM.
Operating Environment Information: The syntax shown here applies to the OPTIONS
statement. At invocation, on the command line, or in a configuration file, the syntax is
host specific. For details, see the SAS documentation for your operating environment. 4
Example
data a;
length z $100;
if sysparm()=’usr1’ then z="&sysparm";
run;
342
343
3
P A R T
Appendices
APPENDIX
1
Reserved Words in the Macro
Facility
Reserved Words
The following table lists the reserved words for the macro facility.
APPENDIX
2
SAS Tokens
List of Tokens
SAS recognizes four general types of tokens:
Literal
One or more characters enclosed in single or double quotation marks. Examples of
literals include
’CARY’ "2008"
Name
One or more characters beginning with a letter or an underscore. Other characters
can be letters, underscores, and digits.
year_2008 descending
Number
A numeric value. Number tokens include the following:
3 integers. Integers are numbers that do not contain a decimal point or an
exponent. Examples of integers include 1, 72, and 5000. SAS date, time, and
348 List of Tokens 4 Appendix 2
APPENDIX
ATTRN returns the value of a numeric attribute for specified SAS data
set.%SYSFUNC(ATTRN(data-set_id,attr-name))
DROPNOTE deletes a note marker from a SAS data set or an external file.
%SYSFUNC(DROPNOTE(data-set-id|file-id,note-id))
DSNAME returns the data set name associated with a data set identifier.
%SYSFUNC(DSNAME(<data-set-id>))
FCOL returns the current column position in the File Data Buffer (FDB)
%SYSFUNC(FCOL(file-id))
FETCH reads the next nondeleted observation from a SAS data set into the Data
Set Data Vector (DDV). %SYSFUNC(FETCH(data-set-id<,NOSET>))
FETCHOBS reads a specified observation from a SAS data set into the DDV.
%SYSFUNC(FETCHOBS(data-set-id,obs-number<,options>))
FILEREF verifies that a fileref has been assigned for the current SAS session.
%SYSFUNC(FILEREF(fileref))
FOPTNUM returns the number of information items available for an external file.
%SYSFUNC(FOPTNUM(file-id))
FRLEN returns the size of the last record read, or the current record size for a file
opened for output. %SYSFUNC(FRLEN(file-id))
GETVARN assigns the value of a SAS data set variable to a numeric DATA step or
macro variable. %SYSFUNC(GETVARN(data-set-id,var-num))
REWIND positions the data set pointer to the beginning of a SAS data set.
%SYSFUNC(REWIND(data-set-id))
SPEDIS returns a number for the operation required to change an incorrect keyword
in a WHERE clause to a correct keyword.
%SYSFUNC(SPEDIS(query,keyword))
SYSMSG returns the error or warning message produced by the last function that
attempted to access a data set or external file. %SYSFUNC(SYSMSG())
SYSRC returns the system error number or exit status of the entry most recently
called. %SYSFUNC(SYSRC())
APPENDIX
4
Recommended Reading
Recommended Reading
Customers outside the United States and Canada, please contact your local SAS office
for assistance.
354
355
Glossary
argument
in macro processing, a character string that is used by a macro function.
arithmetic expression
a type of macro expression that consists of a sequence of arithmetic operators and
operands. An arithmetic expression returns a numeric value when it is executed.
autocall facility
a feature of SAS that enables you to store the source statements that define a macro
and to invoke the macro as needed, without having to include the definition in your
program.
autocall macro
a macro whose uncompiled source code and text are stored in an autocall macro
library. Unlike a stored compiled macro, an autocall macro is compiled before
execution the first time it is called.
command-style macro
a macro that is defined with the CMD option in the %MACRO statement. See also
statement-style macro and name-style macro.
constant text
the character strings that are stored as part of a macro or as a macro variable’s value
in open code, from which the macro processor generates text to be used as SAS
statements, display manager commands, or other macro program statements.
Constant text is also called model text. See also open code.
dummy macro
a macro that the macro processor compiles but does not store.
global scope
the entire SAS program or session. See also local scope.
356 Glossary
input stack
the most recently read line of input from a SAS program and any text generated by
the macro processor that is awaiting processing by the word scanner. See also word
scanner.
keyword parameter
a macro parameter that is defined with an equal sign after the parameter name, as
in <user-sup-val>parameter-name</user-sup-val>=.
local scope
the execution of a particular macro. See also global scope.
logical expression
a type of macro expression that consists of a sequence of logical operators and
operands. A logical expression returns a value of either true or false when it is
executed.
macro
a SAS catalog entry that contains a group of compiled program statements and
stored text.
macro call
within a SAS program, a statement that invokes (or calls) a stored compiled macro
program. You use the syntax %<user-sup-val>macro-name</user-sup-val>; to call a
macro.
macro compilation
the process of converting a macro definition from the statements that you enter to a
form that is ready for the macro processor to execute. The compiled macro is then
stored for later use in the SAS program or session.
macro execution
the process of following the instructions that are given by compiled macro program
statements in order to generate text, to write messages to the SAS log, to accept
input, to create or change the values of macro variables, or to perform other
activities. The generated text can be a SAS statement, a SAS command, or another
macro program statement.
macro expression
any valid combination of symbols that returns a value when it is executed. The three
types of macro expressions are text, logical, and arithmetic. A text expression
generates text when it is resolved (executed) and can consist of any combination of
text, macro variables, macro functions, and macro calls. A logical expression consists
of logical operators and operands and returns a value of either true or false. An
arithmetic expression consists of arithmetic operators and operands and returns a
numeric value.
macro facility
a component of Base SAS software that you can use for extending and customizing
SAS programs and for reducing the amount of text that must be entered in order to
perform common tasks. The macro facility consists of the macro processor and the
macro programming language.
Glossary 357
macro function
a function that is defined by the macro facility. Each macro function processes one or
more arguments and produces a result.
macro invocation
another term for macro call. See also macro call.
macro language
the programming language that is used to communicate with the macro processor.
macro processor
the component of SAS software that compiles and executes macros and macro
program statements.
macro quoting
a function that tells the macro processor to interpret special characters and
mnemonics as text rather than as part of the macro language. See also quoting.
macro variable
a variable that is part of the SAS macro programming language. The value of a
macro variable is a string that remains constant until you change it. Macro variables
are sometimes referred to as symbolic variables.
model text
another term for constant text. See also constant text.
name-style macro
a macro that is named and defined with the %MACRO statement. See also
command-style macro and statement-style macro.
null value
in the SAS macro language, a value that consists of zero characters.
open code
the part of a SAS program that is outside any macro definition.
parameter
a local macro variable that is defined within parentheses in a %MACRO statement.
You supply values to a macro parameter when you invoke a macro. See also keyword
parameter and positional parameter.
positional parameter
a parameter that is defined by name only. The parameter’s value is assigned by
matching the parameter (which is in a particular position in the %MACRO
statement) with the value that is in the corresponding position (delimited by
commas) in the macro invocation.
quoting
the process that causes the macro processor to read certain items as text rather than
as symbols in the macro language. Quoting is also called removing the significance of
an item and treating an item as text.
quoting function
a macro language function that performs quoting on its argument.
358 Glossary
reserved word
a name that is reserved for use by an internal component of a software application
and which therefore cannot be assigned by a user of that application to any type of
data object.
returned value
a character string that is the result of the execution of a macro function.
SAS compilation
the process of converting statements in the SAS language from the form in which you
enter them to a form that is ready for SAS to use.
SAS variable
a column in a SAS data set or in a SAS data view. The data values for each variable
describe a single characteristic for all observations. Each SAS variable can have the
following attributes: name, data type (character or numeric), length, format,
informat, and label. See also macro variable.
scope
the state of the environment in which a macro variable exists. A macro variable has
either global or local scope. The scope determines how a macro variable is assigned
values and how the macro processor resolves references to it.
session compiled macro
a macro that the macro processor compiles and stores in a SAS catalog in the WORK
library. These macros exist only during the current SAS session. Unlike stored
compiled macros, session compiled macros cannot be called in any other SAS session.
statement-style macro
a macro that is defined with the STMT option in the %MACRO statement. See also
command-style macro and name-style macro.
stored compiled macro
a macro program that was compiled in a previous session and which was stored in a
permanent directory. Unlike session compiled macros, stored compiled macros can be
called in any SAS program.
string
in the SAS macro language, any group of consecutive characters. See also character
string.
symbol table
the area in which the macro processor stores all macro variables and macro
statement labels for a particular scope.
symbolic substitution
the process of resolving a macro variable reference (&<user-sup-val>variable-name</
user-sup-val>) to its value. See also macro variable reference.
symbolic variable
another term for macro variable. See also macro variable.
text expression
a type of macro expression that generates text when it is resolved (executed). The
text expression can include any combination of text, macro variables, macro
functions, and macro calls.
Glossary 359
token
the unit into which the SAS language or the macro language divides input in order to
enable SAS to process that input. Tokens (also called words) include items that look
like English words (such as variable names) as well as items that do not (such as
mathematical operators and semicolons).
tokenizer
the part of the word scanner that divides input into tokens (also called words). See
also token and word scanner.
unquoting
the process of restoring the meaning of a quoted item. See also quoting.
variable
See macro variable, SAS variable.
word
another term for token. See also token.
word scanner
the component of SAS that examines all tokens (words) in a SAS program and moves
the tokens to the correct component of SAS for processing.
360
361
Index
messages numbers
displaying in macro windows 197 as tokens 12
MEXECNOTE 320 numeric operands
MEXECSIZE system option 321 comparing in logical expressions 74
MFILE system option 322 evaluating 72
MINDELIMITER= system option 323 numeric values
MINOPERATOR system option 325 assigning to global macro variables in SCL pro-
missing semicolons grams 216
open code recursion and 123 formatting rules for assigning 215
missing values returning global macro variable values as 225
comparing in logical expressions 74
MLOGIC system option 325
tracing flow of execution with 132
O
MLOGICNEST system option 327 observations
nesting information generated by 133 determining number in a data set 256
mnemonics ODS pathname 198
in macro variables 5 open code 4, 19
in passed parameters 80 macro statements used in 154
masking 78, 83 open code recursion 123
quoting values that might contain 237 operands 70
model text 5 character operands 75
MPRINT system option 329 floating-point operands 73
examining generated SAS statements 133 numeric operands 72, 74
routing output to external file 322, 330 operating environment
storing output in external file 134 name of 203
MPRINTNEST system option 331 passing character strings to SAS program steps 199
nesting information generated by 134 operating environment commands 302
MRECALL system option 333 operating environment condition codes 184
MREPLACE system option 334 operating environment variables
MSTORED system option 334 returning value of specified variable 257
MSYMTABMAX= system option 335 operating system identifier 202
adjusting values for efficiency 144 operators 71
MVARSIZE= system option 336 output
adjusting values for efficiency 144 storing MPRINT output 134
N P
name style macros 141 parameter lists
names passing DATA step values to 210
as tokens 13 parameter values
batch jobs 194 text supplied as 200
external files, for autocall facility 151 parameters
host name 194 macro parameters 7
of macro currently executing 197 passing parameters containing special characters and
of most recently created data set 189 mnemonics 80
of procedure being processed 201 parentheses
operating system 203 unmatched 159
prefixes for macro variable names 122 unmatched, with %STR and %NRSTR functions 84
process name 201, 204 PARMBUFF option
userids 194 %MACRO statement 293
nested macro definitions 141 passing character strings 199
nesting information passing information into macros 7
generated by MLOGICNEST 133, 327 passing unresolved values 247
generated by MPRINTNEST 134, 331 percent (%) delimiter 4
nesting scopes 43 percent sign (%)
NOMCOMPILE system option 319 with %STR function 84
NOMEXECNOTE 320 period (.)
NOMREPLACE system option 334 creating, to follow resolved text 28
notes period (.) delimiter 9
on macro compilation 317 portable functions 146
%NRBQUOTE function 87, 229 portable macros
%NRQUOTE function 234 See macros, portable
%NRSTR function 83, 235, 242 positional parameters 292
examples 85 printing
unmatched quotation marks and parentheses 84 conditionally printing reports 284
368 Index
Whether you are new to the work force or an experienced professional, you need to distinguish yourself in this rapidly
changing and competitive job market. SAS Publishing provides you with a wide range of resources to help you set
®
Need to learn the basics? Struggling with a programming problem? You’ll find the expert answers that you
need in example-rich books from SAS Press. Written by experienced SAS professionals from around the
world, SAS Press books deliver real-world insights on a broad range of topics for all skill levels.
support.sas.com/saspress
SAS Documentation
®
To successfully implement applications using SAS software, companies in every industry and on every
continent all turn to the one source for accurate, timely, and reliable information: SAS documentation.
We currently produce the following types of reference documentation to improve your work experience:
• Online help that is built into the software.
• Tutorials that are integrated into the product.
• Reference documentation delivered in HTML and PDF – free on the Web.
• Hard-copy books.
support.sas.com/publishing
SAS Publishing News
®
Subscribe to SAS Publishing News to receive up-to-date information about all new SAS titles, author
podcasts, and new Web site features via e-mail. Complete instructions on how to subscribe, as well as
access to past issues, are available at our Web site.
support.sas.com/spn
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. © 2009 SAS Institute Inc. All rights reserved. 518177_1US.0109