How to detect missing values using ARRAYS
Using an array in SAS to detect missing values 
 
 Direct link: http://ssc.utexas.edu/consulting/answers/sas/sas65.html 
 
 Question: 
 How do I exclude observations from my PROC FREQ analysis when a value is missing from a list of variables?
 
 Answer: 
 In the SAS DATA step, you can create a new variable ("miss" in the example below) that is set equal to 1 when a variable has a missing value, 0 otherwise. Use the ARRAY statement and a DO loop to check for missing values across a list of variables; the syntax is:
 
 DATA  one ;
 INFILE  xxx;
 INPUT  a b c d e;
 miss= 0 ;
 ARRAY  vv(5) a b c d e ;
 DO  i= 1  TO 5  ;
 IF  vv(i)=. THEN  DO ;
 miss=1 ;
 i=5;  
 END;
 END;
 RUN; 
 
 PROC  FREQ;
 WHERE  miss =0;
 TABLES  a b c d e ;
 RUN ; 
 
 Here, the array "vv" has 5 elements (a,b,c,d,e), and the loop "i" is likewise set to 5.
 
 For each observation, the loop iterates 5 times, checking for missing values across the list of 5 variables. When a missing value ...