Interview
Interview
Interview
Very Basic:
What SAS statements would you code to read an external raw data file to a DATA
step?
INFILE statement.
Using Input statement with the column pointers like @5/12-17 etc.
Are you familiar with special input delimiters? How are they used?
DLM and DSD are the delimiters that Ive used. They should be included in the
infile statement. Comma separated values files or CSV files are a common type of
file that can be used to read with the DSD option. DSD option treats two delimiters
in a row as MISSING value. DSD also ignores the delimiters enclosed in quotation
marks.
If reading a variable length file with fixed input, how would you prevent SAS
from reading the next record if the last variable didn't have a value?
What is the difference between an informat and a format? Name three informats or
formats.
Informats read the data. Format is to write the data.
Informats: comma. dollar. date.Formats can be same as informats
Informats: MMDDYYw. DATEw. TIMEw. , PERCENTw,
Formats: WORDIATE18., weekdatew.
Name and describe three SAS functions that you have used, if any?
LENGTH: returns the length of an argument not counting the trailing blanks.(missing
values have a length of 1)
Ex: a=my cat;
x=LENGTH(a); Result: x=6
How would you code the criteria to restrict the output to be produced?
Double trailing @@: When you have multiple observations per line of raw data, we
should use double trailing signs (@@) at the end of the INPUT statement. The line
hold specifies like a stop sign telling SAS, stop, hold that line of raw data.
When you have a long series of mutually exclusive conditions and the comparison is
numeric, using a SELECT group is slightly more efficient than using IF-THEN or IF-
THEN-ELSE statements because CPU time is reduced.
SELECT GROUP:
Select: begins with select group.
When: identifies SAS statements that are executed when a particular condition is
true.
Otherwise (optional): specifies a statement to be executed if no WHEN condition is
met.
End: ends a SELECT group.
What statement you code to tell SAS that it is to write to an external file? What
statement do you code to write the record to the file?
If you're not wanting any SAS output from a data step, how would you code the
data statement to prevent SAS from producing a set?
Data _Null_
What is the one statement to set the criteria of data that can be coded in any
step?
Options statement: This a part of SAS program and effects all steps that follow it.
Have you ever linked SAS code? If so, describe the link and any required
statements used to either process the code or the step itself.
How would you include common or reuse code to be processed along with your
statements?
When looking for data contained in a character string of 150 bytes, which
function is the best to locate that data: scan, index, or indexc?
SCAN.
If you have a data set that contains 100 variables, but you need only five of
those, what is the code to force SAS to use only those variable?
Using KEEP option or statement.
Code a PROC SORT on a data set containing State, District and County as the
primary variables, along with several numeric variables.
Proc sort data=
BY State District County ;
Run ;
NONUPLICATES
NODUPKEY
How would you code a merge that will keep only the observations that have matches
from both sets.
Check the condition by using If statement in the Merge statement while merging
datasets.
How would you code a merge that will write the matches of both to one data set,
the non-matches from the left-most data.
Step1: Define 3 datasets in DATA step
Step2: Assign values of IN statement to different variables for 2 datasets
Step3: Check for the condition using IF statement and output the matching to first
dataset and no matches to different datasets
Ex: data xxxmerge yyy(in = inxxx) zzz (in = inzzz);by aaa;if inxxx = 1 and inyyy =
1;run;
What is the Program Data Vector (PDV)? What are its functions?
Function: To store the current obs;
PDV (Program Data Vector) is a logical area in memory where SAS creates a dataset
one observation at a time. When SAS processes a data step it has two phases.
Compilation phase and execution phase. During the compilation phase the input
buffer is created to hold a record from external file. After input buffer is
created the PDV is created. The PDV is the area of memory where SAS builds dataset,
one observation at a time. The PDV contains two automatic variables _N_ and
_ERROR_.
PUT
INFILE, INPUT
INPUT
In the flow of DATA step processing, what is the first action in a typical DATA
Step?
The DATA step begins with a DATA statement. Each time the DATA statement executes,
a new iteration of the DATA step begins, and the _N_ automatic variable is
incremented by 1.
What is _n_?
It is a Data counter variable in SAS.
Note: Both -N- and _ERROR_ variables are always available to you in the data step.
N- indicates the number of times SAS has looped through the data step.
This is not necessarily equal to the observation number, since a simple sub setting
IF statement can change the relationship between Observation number and the number
of iterations of the data step.
The ERROR- variable ha a value of 1 if there is a error in the data for that
observation and 0 if it is not. Ex: This is nothing but a implicit variable created
by SAS during data processing. It gives the total number of records SAS has
iterated in a dataset. It is Available only for data step and not for PROCS. Eg. If
we want to find every third record in a Dataset thenwe can use the _n_ as follows
Data new-sas-data-set;Set old;if mod(_n_,3)= 1 then;run;Note: If we use a where
clause to subset the _n_ will not yield the required result.
A: I think Select statement are used when you are using one condition to compare
with several conditions like
select pass
when Physics >60
when math > 100
when English = 50;
otherwise fail;
What is the one statement to set the criteria of data that can be coded
in any step?
A) Options statement.
What do the SAS log messages "numeric values have been converted to character"
mean? What are the implications?
It implies that automatic conversion took place to make character functions
possible
Why is a STOP statement needed for the POINT= option on a SET statement?
Because POINT= reads only the specified observations, SAS cannot detect an end-of-
file condition as it would if the file were being read sequentially.
How do you control the number of observations and/or variables read or written?
FIRSTOBS and OBS option
What are some good SAS programming practices for processing very large data sets?
A) Sort them once, can use firstobs = and obs = ,
What is the different between functions and PROCs that calculate the
same simple descriptive statistics?
A)Functions can used inside the data step and on the same data set but with proc's
you can create a new data sets to output the results. May be more ...........
If you were told to create many records from one record, show how you
would do this using arrays and with PROC TRANSPOSE?
A) I would use TRANSPOSE if the variables are less use arrays if the var are
more ................. depends
other questions:
What are some good SAS programming practices for processing very large data sets?
Sampling method using OBS option or subsetting, commenting the Lines, Use Data Null
What are some problems you might encounter in processing missing values? In Data
steps? Arithmetic? Comparisons? Functions? Classifying data?
The result of any operation with missing value will result in missing value. Most
SAS statistical procedures exclude observations with any missing variable values
from an analysis.
How would you create a data set with 1 observation and 30 variables from a data set
with 30 observations and 1 variable?
Using PROC TRANSPOSE
What is the different between functions and PROCs that calculate the same simple
descriptive statistics?
Proc can be used with wider scope and the results can be sent to a different
dataset. Functions usually affect the existing datasets.
If you were told to create many records from one record, show how you would do this
using array and with PROC TRANSPOSE?
Declare array for number of variables in the record and then used Do loop
Proc Transpose with VAR statement
What can you learn from the SAS log when debugging?
It will display the execution of whole program and the logic. It will also display
the error with line number so that you can and edit the program.
How does SAS handle missing values in: assignment statements, functions, a merge,
an update, sort order, formats, PROCs?
Missing values will be assigned as missing in Assignment statement. Sort order
treats missing as second smallest followed by underscore.
Which date functions advances a date time or date/time value by a given interval?
INTNX.
In the flow of DATA step processing, what is the first action in a typical DATA
Step?
When you submit a DATA step, SAS processes the DATA step and then creates a new SAS
data set.( creation of input buffer and PDV)
Compilation Phase
Execution Phase
What is the one statement to set the criteria of data that can be coded in any
step? OPTIONS Statement, Label statement, Keep / Drop statements.
What are the new features included in the new version of SAS i.e., SAS9.1.3?
The main advantage of version 9 is faster execution of applications and centralized
access of data and support.
There are lots of changes has been made in the version 9 when we compared with the
version 8. The following are the few:
SAS version 9 supports Formats longer than 8 bytes & is not possible with version
8.
Length for Numeric format allowed in version 9 is 32 where as 8 in version 8.
Length for Character names in version 9 is 31 where as in version 8 is 32.
Length for numeric informat in version 9 is 31, 8 in version 8.
Length for character names is 30, 32 in version 8.
3 new informats are available in version 9 to convert various date, time and
datetime forms of data into a SAS date or SAS time.
New ODS option (COLUMN OPTION) is included to create a multiple columns in the
output.
WHAT DIFFERRENCE DID YOU FIND AMONG VERSION 6 8 AND 9 OF SAS. The SAS 9
Architecture is fundamentally different from any prior version of SAS. In the SAS 9
architecture, SAS relies on a new component, the Metadata Server, to provide an
information layer between the programs and the data they access. Metadata, such as
security permissions for SAS libraries and where the various SAS servers are
running, are maintained in a common repository.
CPU Time and Elapsed Time- Base line measurements Few Examples for efficiency
violations: Retaining unwanted datasets Not sub setting early to eliminate unwanted
records.
Efficiency improving techniques: Using KEEP and DROP statements to retain necessary
variables. Use macros for reducing the code. Using IF-THEN/ELSE statements to
process data programming. Use SQL procedure to reduce number of programming steps.
Using of length statements to reduce the variable size for reducing the Data
storage.
Use of Data _NULL_ steps for processing null data sets for Data storage.
What other SAS products have you used and consider yourself proficient in using?
Data _NULL_ statement, Proc Means, Proc Report, Proc tabulate, Proc freq and Proc
print, Proc Univariate etc.
What is the significance of the 'OF' in X=SUM (OF a1-a4, a6, a9);
If dont use the OF function it might not be interpreted as we expect. For example
the function above calculates the sum of a1 minus a4 plus a6 and a9 and not the
whole sum of a1 to a4 & a6 and a9. It is true for mean option also.
Which date function advances a date, time or datetime value by a given interval?
INTNX: INTNX function advances a date, time, or datetime value by a given interval,
and returns a date, time, or datetime value. Ex: INTNX(interval,start-from,number-
of-increments,alignment)
INTCK: INTCK(interval,start-of-period,end-of-period) is an interval functioncounts
the number of intervals between two give SAS dates, Time and/or datetime. DATETIME
() returns the current date and time of day. DATDIF (sdate,edate,basis): returns
the number of days between two dates.
What do the MOD and INT function do? What do the PAD and DIM functions do? MOD:
Modulo is a constant or numeric variable, the function returns the reminder after
numeric value divided by modulo.
INT: It returns the integer portion of a numeric value truncating the decimal
portion.
PAD: it pads each record with blanks so that all data lines have the same length.
It is used in the INFILE statement. It is useful only when missing data occurs at
the end of the record.
CATX: concatenate character strings, removes leading and trailing blanks and
inserts separators.
SCAN: it returns a specified word from a character value. Scan function assigns a
length of 200 to each target variable.
SUBSTR: extracts a sub string and replaces character values.
Extraction of a substring: Middleinitial=substr(middlename,1,1); Replacing
character values: substr (phone,1,3)=433; If SUBSTR function is on the left side
of a statement, the function replaces the contents of the character variable.
TRIM: trims the trailing blanks from the character values.
SCAN vs. SUBSTR: SCAN extracts words within a value that is marked by delimiters.
SUBSTR extracts a portion of the value by stating the specific location. It is best
used when we know the exact position of the sub string to extract from a character
value.
How might you use MOD and INT on numeric to mimic SUBSTR on character Strings?
The first argument to the MOD function is a numeric, the second is a non-zero
numeric; the result is the remainder when the integer quotient of argument-1 is
divided by argument-2. The INT function takes only one argument and returns the
integer portion of an argument, truncating the decimal portion. Note that the
argument can be an expression.
DATA NEW ;
A = 123456 ;
X = INT( A/1000 ) ;
Y = MOD( A, 1000 ) ;
Z = MOD( INT( A/100 ), 100 ) ;
PUT A= X= Y= Z= ;
RUN ;
A=123456
X=123
Y=456
Z=34
In ARRAY processing, what does the DIM function do?
DIM: It is used to return the number of elements in the array. When we use Dim
function we would have to re specify the stop value of an iterative DO statement
if u change the dimension of the array.
How would you determine the number of missing or nonmissing values in computations?
To determine the number of missing values that are excluded in a computation, use
the NMISS function.
data _null_;
m = . ; y = 4 ; z = 0 ;
N = N(m , y, z);
NMISS = NMISS (m , y, z);
run;
The above program results in N = 2 (Number of non missing values) and NMISS = 1
(number of missing values).
However, there is an advantage to use the SUM function even if you want the results
to be missing. If you have more than a couple fields, you can often use shortcuts
in writing the field names If your fields are not numbered sequentially but are
stored in the program data vector together then you can use: total=SUM(of fielda--
zfield); Just make sure you remember the of and the double dashes or your code
will run but you wont get your intended results. Mean is another function where
the function will calculate differently than the writing out the formula if you
have missing values.
In the following DATA step, what is needed for 'fraction' to print to the log?
data _null_;
x=1/3;
if x=.3333 then put 'fraction';
run;
What is the difference between calculating the 'mean' using the mean function and
PROC MEANS?
By default Proc Means calculate the summary statistics like N, Mean, Std deviation,
Minimum and maximum, Where as Mean function compute only the mean values.
What are some differences between PROC SUMMARY and PROC MEANS?
Proc means by default give you the output in the output window and you can stop
this by the option NOPRINT and can take the output in the separate file by the
statement OUTPUTOUT= , But, proc summary doesn't give the default output, we have
to explicitly give the output statement and then print the data by giving PRINT
option to see the result.
What is a problem with merging two data sets that have variables with the same name
but different data?
Understanding the basic algorithm of MERGE will help you understand how the step
Processes. There are still a few common scenarios whose results sometimes catch
users off guard. Here are a few of the most frequent 'gotchas':
1- BY variables has different lengths
It is possible to perform a MERGE when the lengths of the BY variables are
different,
But if the data set with the shorter version is listed first on the MERGE
statement, the
Shorter length will be used for the length of the BY variable during the merge. Due
to this shorter length, truncation occurs and unintended combinations could result.
In Version 8, a warning is issued to point out this data integrity risk. The
warning will be issued regardless of which data set is listed first:
WARNING: Multiple lengths were specified for the BY variable name by input data
sets.
This may cause unexpected results. Truncation can be avoided by naming the data set
with the longest length for the BY variable first on the MERGE statement, but the
warning message is still issued. To prevent the warning, ensure the BY variables
have the same length prior to combining them in the MERGE step with PROC CONTENTS.
You can change the variable length with either a LENGTH statement in the merge DATA
step prior to the MERGE statement, or by recreating the data sets to have identical
lengths for the BY variables.
Note: When doing MERGE we should not have MERGE and IF-THEN statement in one data
step if the IF-THEN statement involves two variables that come from two different
merging data sets. If it is not completely clear when MERGE and IF-THEN can be used
in one data step and when it should not be, then it is best to simply always
separate them in different data step. By following the above recommendation, it
will ensure an error-free merge result.
Which data set is the controlling data set in the MERGE statement?
Dataset having the less number of observations control the data set in the merge
statement.
How experienced are you with customized reporting and use of DATA _NULL_ features?
I have very good experience in creating customized reports as well as with Data
_NULL_ step. Its a Data step that generates a report without creating the dataset
there by development time can be saved. The other advantages of Data NULL is when
we submit, if there is any compilation error is there in the statement which can be
detected and written to the log there by error can be detected by checking the log
after submitting it. It is also used to create the macro variables in the data set.
What is the difference between compiler and interpreter? Give any one example
(software product) that act as an interpreter?
Both are similar as they achieve similar purposes, but inherently different as to
how they achieve that purpose. The interpreter translates instructions one at a
time, and then executes those instructions immediately. Compiled code takes
programs (source) written in SAS programming language, and then ultimately
translates it into object code or machine language. Compiled code does the work
much more efficiently, because it produces a complete machine language program,
which can then be executed.
What other SAS features do you use for error trapping and data validation? What are
the validation tools in SAS?
For dataset: Data set name/debug
Data set: name/stmtchk
For macros: Options:mprint mlogic symbolgen.
How would you code a merge that will keep only the observations that have matches
from both data sets?
Using "IN" variable option. Look at the following example.
data three;
merge one(in=x) two(in=y);
by id;
if x=1 and y=1;
run;
or
data three;
merge one(in=x) two(in=y);
by id;
if x and y;
run;
Have you ever-linked SAS code, If so, describe the link and any required statements
used to either process the code or the step itself?
In the editor window we write
%include 'path of the sas file';
run;
1. Have you used macros? For what purpose you have used?
Yes I have, I used macros in creating analysis datasets and tables where it is
necessary to make a small change through out the program and where it is necessary
to use the code again and again.
9. If you use a SYMPUT in a DATA step, when and where can you use the macro
variable?
Macro variable is used inside the Call Symput statement and is enclosed in quotes.
14. If you need the value of a variable rather than the variable itself what would
you use to load the value to a macro variable?
If we need a value of a macro variable then we must define it in such terms so that
we can call them everywhere in the program. Define it as Global. There are
different ways of assigning a global variable. Simplest method is %LET.
Ex:A, is macro variable. Use following statement to assign the value of a rather
than the variable itselfe.g.%Let A=xyzx="&A";This will assign "xyz" to x, not the
variable xyz to x.
15. Can you execute macro within another macro? If so, how would SAS know where the
current macro ended and the new one began?
Yes, I can execute macro within a macro, what we call it as nesting of macros,
which is allowed. Every macro's beginning is identified the keyword %macro and end
with %mend.
17. How would you code a macro statement to produce information on the SAS log?
This statement can be coded anywhere?OPTIONS, MPRINT MLOGIC MERROR SYMBOLGEN;
Caution: We cannot create a macro variable with CALL SYMPUT and use it in the same
data step because SAS does not assign a value to the macro variable until the data
step executes. Data steps executes when SAS encounters a step boundary such as a
subsequent data, proc, or run statement.
It can be used to setting up a macro library. But this is a least approach. The use
of %include does not actually set up a library. The %include statement points to a
file and when it executed the indicated file (be it a full program, macro
definition, or a statement fragment) is inserted into the calling program at the
location of the call. When using the %include building a macro library, the
included file will usually contain one or more macro definitions.
%EVAL is a widely used yet frequently misunderstood SAS(r) macro language function
due to its seemingly simple form. However, when its actual argument is a complex
macro expression interlaced with special characters, mixed arithmetic and logical
operators, or macro quotation functions, its usage and result become elusive and
problematic. %IF condition in macro is evaluated by %eval, to reduce it to true or
false.
21. Describe the ways in which you can create macro variables?
There are the 5 ways to create macro variables:
%Let
%Global
Call Symput
Proc SQl
Parameters.
MEMRPT Specifies that memory usage statistics be displayed on the SAS Log.
MERROR: SAS will issue warning if we invoke a macro that SAS didnt find. Presents
Warning Messages when there are misspellings or when an undefined macro is called.
SERROR: SAS will issue warning if we use a macro variable that SAS cant find.
MLOGIC: SAS prints details about the execution of the macros in the log.
MPRINT: Displays SAS statements generated by macro execution are traced on the SAS
Log for debugging purposes.
SYMBOLGEN: SAS prints the value of macro variables in log and also displays text
from expanding macro variables to the SAS Log.
26. If you need the value of a variable rather than the variable itself what would
you use to load the value to a macro variable?
If we need a value of a macro variable then we must define it in such terms so that
we can call them everywhere in the program. Define it as Global. There are
different ways of assigning a global variable. Simplest method is %LET.
Ex:A, is macro variable. Use following statement to assign the value of a rather
than the variable itselfe.g.%Let A=xyzx="&A";This will assign "xyz" to x, not the
variable xyz to x.
27. Can you execute macro within another macro? If so, how would SAS know where the
current macro ended and the new one began?
Yes, I can execute macro within a macro, what we call it as nesting of macros,
which is allowed. Every macro's beginning is identified the keyword %macro and end
with %mend.
28. How are parameters passed to a macro? A macro variable defined in parentheses
in a %MACRO statement is a macro parameter. Macro parameters allow you to pass
information into a macro. Here is a simple example: %macro plot(yvar= ,xvar= );
proc plot; plot &yvar*&xvar; run;%mend plot;
29. How would you code a macro statement to produce information on the SAS log?
This statement can be coded anywhere?OPTIONS, MPRINT MLOGIC MERROR SYMBOLGEN;
32. What are the macros you have used in your programs?
Used macros for various puposes, few of them are..
%varlist(adverse)
data &dsnsplit2;
set &dsnorig (firstobs = %eval(&obs1 + 1));
run;
%mend split;
%split(sasuser.admit,admit4,admit5,2)
33. What is auto call macro and how to create a auto call macro? What is the use of
it? How to use it in SAS with macros?
Enables the user to call macros that have been stored as SAS programs. The auto
call macro facility allows users to access the same macro code from multiple SAS
programs. Rather than having the same macro code for in each program where the code
is required, with an autocall macro, the code is in one location. This permits
faster updates and better consistency across all the programs.
Macro set-up:
The fist step is to set-up a program that contains a macro, desired to be used in
multiple programs. Although the program may contain other macros and/or open code,
it is advised to include only one macro.
4. Once you have had the data read into SAS datasets are you more of a data step
programmer or a PROC SQL programmer?
A. It depends on what types of analysis datasets are required for creating tables
but I am more of a data step programmer as it gives me more flexibility.
For e.g creating a change from baseline data set for blood pressure sometimes I
have to retain certain values use arrays .or use the first. -and last. variables.
5. What types of programming tasks do you use PROC SQL for versus the data step?
A. Proc SQL is very convenient for performing table joins compared to a data step
merge as it does not require the key columns to be sorted prior to join. A data
step is more suitable for sequential observation-by-observation processing.
PROC SQL can save a great deal of time if u want to filter the variables while
selecting or u can modify them apply format.creating new variables ,
macrovariablesas well as subsetting the data.
PROC SQL offers great flexibility for joining tables.
PROC SQL;
CREATE TABLE BOTH AS
SELECT A.PATIENT,
A.DATE FORMAT=DATE7. AS DATE, A.PULSE,
B.MED, B.DOSES, B.AMT FORMAT=4.1
FROM VITALS A INNER JOIN DOSING B
ON (A.PATIENT = B.PATIENT) AND
(A.DATE = B.DATE)
ORDER BY PATIENT, DATE;
QUIT;
SAS GRAPH:
4. Have you ever used the annotate facility? What is a situation when you have had
to use the ANNOTATE facility in the past?
A. Yes, I have used the annotate facility for graphs. I have used the annotate
facility to position labels in the Kaplan-Meier survival estimates, where I had to
specify the function as label and give the x and y co-ordinates and the position
where this label is to be placed.
SAS UNIX:
PROC SQL:
5. What types of programming tasks do you use PROC SQL for versus the data step?
A. Proc SQL is very convenient for performing table joins compared to a data step
merge as it does not require the key columns to be sorted prior to join. A data
step is more suitable for sequential observation-by-observation processing.
PROC SQL can save a great deal of time if u want to filter the variables while
selecting or u can modify them apply format.creating new variables ,
macrovariablesas well as subsetting the data.
PROC SQL offers great flexibility for joining tables.
PROC SQL;
CREATE TABLE BOTH AS
SELECT A.PATIENT,
A.DATE FORMAT=DATE7. AS DATE, A.PULSE,
B.MED, B.DOSES, B.AMT FORMAT=4.1
FROM VITALS A INNER JOIN DOSING B
ON (A.PATIENT = B.PATIENT) AND
(A.DATE = B.DATE)
ORDER BY PATIENT, DATE;
QUIT;
SAS GRAPH:
4. Have you ever used the annotate facility? What is a situation when you have had
to use the ANNOTATE facility in the past?
A. Yes, I have used the annotate facility for graphs. I have used the annotate
facility to position labels in the Kaplan-Meier survival estimates, where I had to
specify the function as label and give the x and y co-ordinates and the position
where this label is to be placed.
SAS UNIX:
1. Unix environment?
SAS can effectively be used with Unix operating system. We have some options that
would let the programmer to extract files from the terminal as well as save the
Output to the terminal.
3. What operating systems can you sit down at today and be productive?
I can be productive on Unix and Windows system.
5. Setting permissions?
A. r Read permission
w Write permission
x Execute permission
- no permission
Change permissions on file
Chmod [options] file
Chmod u + w file [gives the user (owner) write permission]
Chmod g + r file [gives the group read permission]
Chmod o x file [removes execute permission for others]
2. Describe the validation procedure? How would you perform the validation for TLG
as well as analysis data set?
Ans:- Validation procedure is used to check the output of the SAS program,
generated by the source programmer. In this process validator write the program and
generate the output. If this output is same as the output generated by the SAS
programmer's output then the program is considered to be valid. We can perform this
validation for TLG by checking the output manually and for analysis data set it can
be done using PROC COMPARE.
3. How would you perform the validation for the listing, which has 400 pages?
Ans:- It is not possible to perform the validation for the listing having 400 pages
manually. To do this, we convert the listing in data sets by using PROC RTF and
then after that we can compare it by using PROC COMPARE.
7. What are all the PROCS have you used in your experience?
Ans:- I have used many procedures like proc report, proc sort, proc format etc. I
have used proc report to generate the list report, in this procedure I have used
subjid as order variable and trt_grp, sbd, dbd as display variables.
8. Describe the data sets you have come across in your life?
Ans:- I have worked with demographic, adverse event , laboratory, analysis and
other data sets.
9. How would you submit the docs to FDA? Who will submit the docs?
Ans:- We can submit the docs to FDA by e-submission. Docs can be submitted to FDA
using
21 CRF part 11 forms. In this doc we have the documentation about macros and
program and E-records also. Statistician or project manager will submit this doc to
FDA.
11. Can u share your CDISC experience? What version of CDISC have you used?
Ans: I didn't get any chance to work in CDISC extensively. But I have helped my
project manager and statistician in CDISC. I have used version 3 of the CDISC.
13. Tell me about your project group? To whom you would report/contact?
My project group consisting of six members, a project manager, two statisticians,
lead programmer and two programmers.
I would report to the lead programmer. If I have any problem regarding the
programming I would contact the lead programmer. If I have any doubt in values of
variables in raw dataset I would contact the statistician. For example the dataset
related to the menopause symptoms in women, if the variable sex having the values
like F, M. I would consider it as wrong; in that type of situations I would contact
the statistician.
15. How would you know whether the program has been modified or not?
I would know the program has been modified or not by seeing the modification
history in the program header.
18. Tell me about MEDRA and what version of MEDRA did you use in your project?
Medical dictionary of regulatory activities. Version 10
24. What are the contents of AE dataset? What is its purpose? What are the
variables in adverse event datasets?
The adverse event data set contains the SUBJID, body system of the event, the
preferred term for the event, event severity. The purpose of the AE dataset is to
give a summary of the adverse event for all the patients in the treatment arms to
aid in the inferential safety analysis of the drug.
25. What are the contents of lab data? What is the purpose of data set?
The lab data set contains the SUBJID, week number, and category of lab test,
standard units, low normal and high range of the values. The purpose of the lab
data set is to obtain the difference in the values of key variables after the
administration of drug.
How did you do data cleaning? How do you change the values in the data on your own?
I used proc freq and proc univariate to find the discrepancies in the data, which I
reported to my manager.
26.Tell me about this company in India? How big it is? Why are they using SAS?
CENTRAL DRUGS STANDARD CONTROL ORGANIZATION
Human/Clinical pharmacology trials (phase I)
Exploratory trials (Phase II)
Confirmatory trials (Phase III)
About ACT turnover of around $30 million dollars. Headquarters in India.
27.Have you created CRTs, if you have, tell me what have you done in that?
Yes I have created patient profile tabulations as the request of my manager and and
the statistician. I have used PROC REPORT and Proc SQl to create simple patient
listing which had all information of a particular patient including age, sex, race
etc.
Proc copy;
In = sdtm;
Out = dm;
Select dm;
Run;
29. How did you do data cleaning? How do you change the values in the data on your
own?
I used proc freq and proc univariate to find the discrepancies in the data, which I
reported to my manager.
30. Definitions?
CDISC- Clinical data interchange standards consortium.
They have different data models, which define clinical data standards for
pharmaceutical industry.
SDTM It defines the data tabulation datasets that are to be sent to the FDA for
regulatory submissions. (CRTs)
ADaM (Analysis data Model)Defines data set definition guidance for creating
analysis data sets.
ODM XML based data model for allows transfer of XML based data .
Define.xml for data definition file (define.pdf) which is machine readable.
ICH E3: Guideline, Structure and Content of Clinical Study Reports
ICH E6: Guideline, Good Clinical Practice
ICH E9: Guideline, Statistical Principles for Clinical Trials
Title 21 Part 312.32: Investigational New Drug Application
31. have you ever done any Edit check programs in your project, if you have, tell
me what do you know about edit check programs?
Yes I have done edit check programs .
Edit check programs Data validation.
1.Data Validation proc means, proc univariate, proc freq.
Data Cleaning finding errors.
2.Checking for invalid character values.
Proc freq data = patients;
Tables gender dx ae / nocum nopercent;
Run;
Which gives frequency counts of unique character values.
3. Proc print with where statement to list invalid data values.
[systolic blood pressure - 80 to 100]
[diastolic blood pressure 60 to 120]
4. Proc means, univariate and tabulate to look for outliers.
Proc means min, max, n and mean.
Proc univariate five highest and lowest values
[ stem leaf plots and box plots]
5. PROC FORMAT range checking
35. What do you lknow about ISS and ISE, have you ever produced these reports?
For data validation of numeric values like out of range or missing values I used
proc print with a where statement.
PROC PRINT DATA=CLEAN.PATIENTS;
WHERE HR NOT BETWEEN 40 AND 100 AND
HR IS NOT MISSING OR
SBP NOT BETWEEN 80 AND 200 AND
SBP IS NOT MISSING OR
DBP NOT BETWEEN 60 AND 120 AND
DBP IS NOT MISSING;
TITLE "OUT-OF-RANGE VALUES FOR NUMERIC
VARIABLES";
ID PATNO;
VARHR SBP DBP;
RUN;
If we have a range of numeric values 001 999 then we can first use user
defined format and then use proc freq to determine the invalid values.
PROC FORMAT;
VALUE $GENDER 'F','M' = 'VALID'
' ' = 'MISSING'
OTHER = 'MISCODED';
VALUE $DX '001' - '999'= 'VALID'
' ' = 'MISSING'
OTHER = 'MISCODED';
VALUE $AE '0','1' = 'VALID'
' ' = 'MISSING'
OTHER = 'MISCODED';
RUN;
One of the simplest ways to check for invalid numeric values is to run either PROC
MEANS or PROC UNIVARIATE.
We can use the N and NMISS options in the Proc Means to check for missing and
invalid data. Default (n nmiss mean min max stddev).
The main advantage of using PROC UNIVARIATE (default n mean std skewness kurtosis)
is that we get the extreme values i.e lowest and highest 5 values which we can see
for data errors. If u want to see the patid for these particular observations
..state and ID patno statement in the univariate procedure.
39. What are the domains/datasets you have used in your studies?
Demog
Adverse Events
Vitals
ECG
Labs
Medical History
PhysicalExam
Demog: Patient Id, Age, Sex, Race, Screening Weight, Screening Height, BMI
Adverse Events: Protocol no, Investigator no, Patient Id, Preferred Term,
Investigator Term, (Abdominal dis, Freq urination, headache, dizziness, hand-food
syndrome, rash, Leukopenia, Neutropenia) Severity, Seriousness (y/n), Seriousness
Type (death, life threatening, permanently disabling), Visit number, Start time,
Stop time, Related to study drug?
Vitals: Subject number, Study date, Procedure time, Sitting blood pressure, Sitting
Cardiac Rate, Visit number, Change from baseline, Dose of treatment at time of
vital sign, Abnormal (yes/no), BMI, Systolic blood pressure, Diastolic blood
pressure.
ECG: Subject no, Study Date, Study Time, Visit no, PR interval (msec), QRS duration
(msec), QT interval (msec), QTc interval (msec), Ventricular Rate (bpm), Change
from baseline, Abnormal.
Labs: Subject no, Study day, Lab parameter (Lparm), lab units, ULN (upper limit of
normal), LLN (lower limit of normal), visit number, change from baseline, Greater
than ULN (yes/no), lab related serious adverse event (yes/no).
PhysicalExam: Subject no, Exam date, Exam time, Visit number, Reason for exam, Body
system, Abnormal (yes/no), Findings, Change from baseline (improvement, worsening,
no change), Comments
41. Give me the example of edit ckecks you made in your programs?
Examples of Edit Checks
Demog:
Weight is outside expected range
Body mass index is below expected ( check weight and height)
Age is not within expected range
DOB is greater than the Visit date
Invalid Gender value
Adverse
Stop is before the start or visit
Start is before birthdate
Study medicine discontinued due to adverse event but completion indicated (COMPLETE
=1)
Labs
Result is within the normal range but abnormal is not blank or N
Result is outside the normal range but abnormal is blank
Vitals
Diastolic BP > Systolic BP
Medical History
Visit date prior to Screen date
Physical
Physical exam is normal but comment included
42. What are the advantages of using SAS in clinical data management? Why should
not we use other software products in managing clinical data? ADVANTAGES OF USING A
SAS-BASED SYSTEM
Less hardware is required. A Typical SAS-based system can utilize a standard file
server to store its databases and does not require one or more dedicated servers to
handle the application load. PC SAS can easily be used to handle processing, while
data access is left to the file server. Additionally, as presented later in this
paper, it is possible to use the SAS product SAS/Share to provide a dedicated
server to handle data transactions.
Fewer personnel are required. Systems that use complicated database software often
require the hiring of one ore more DBAs (Database Administrators) who make sure
the database software is running, make changes to the structure of the database,
etc. These individuals often require special training or background experience in
the particular database application being used, typically Oracle. Additionally,
consultants are often required to set up the system and/or studies since dedicated
servers and specific expertise requirements often complicate the process.
Users with even casual SAS experience can set up studies. Novice programmers can
build the structure of the database and design screens. Organizations that are
involved in data management almost always have at least one SAS programmer already
on staff. SAS programmers will have an understanding of how the system actually
works which would allow them to extend the functionality of the system by directly
accessing SAS data from outside of the system.
All phases of the data management process become homogeneous. From entry to
analysis, data reside in SAS data sets, often the end goal of every data
management group. Additionally, SAS users are involved in each step, instead of
having specialists from different areas hand off pieces of studies during the
project life cycle.
No data conversion is required. Since the data reside in SAS data sets natively,
no conversion programs need to be written.
Data review can happen during the data entry process, on the master database. As
long as records are marked as being double-keyed, data review personnel can run
edit check programs and build queries on some patients while others are still being
entered.
Tables and listings can be generated on live data. This helps speed up the
development of table and listing programs and allows programmers to avoid having to
make continual copies or extracts of the data during testing.
44. Describe the types of SAS programming tasks that you performed: Tables?
Listings? Graphics? Ad hoc reports? Other?
Prepared programs required for the ISS and ISE analysis reports. Developed and
validated programs for preparing ad-hoc statistical reports for the preparation of
clinical study report. Wrote analysis programs in line with the specifications
defined by the study statistician. Base SAS (MEANS, FREQ, SUMMARY, TABULATE, REPORT
etc) and SAS/STAT procedures (REG, GLM, ANOVA, and UNIVARIATE etc.) were used for
summarization, Cross-Tabulations and statistical analysis purposes. Created
Statistical reports using Proc Report, Data _null_ and SAS Macro. Created, derived
and merged and pooled datasets,listings and summary tables for Phase-I and Phase-II
of clinical trials.
45. Have you been involved in editing the data or writing data queries?
If your interviewer asks this question, the u should ask him what he means by
editing the data and data queries
46. Are you involved in writing the inferential analysis plan? Tables
specifications?