Vous êtes sur la page 1sur 36

SAS Base Programming for SAS 9

Item 1
The following program is submitted.
data WORK.TEST;
input Name $ Age;
datalines;
John +35
;
run;
Which values are stored in the output data set?
Name

Age

--------------------John
Name

35
Age

--------------------John
Name

(missing value)
Age

--------------------(missing value) (missing value)


The DATA step fails execution due to data errors.
correct_answer = "A"
Item 2
Given the SAS data set WORK.ONE:
Id Char1
--- ----182 M

190 N
250 O
720 P
and the SAS data set WORK.TWO:
Id Char2
--- ----182 Q
623 R
720 S
The following program is submitted:
data WORK.BOTH;
merge WORK.ONE WORK.TWO;
by Id;
run;
What is the first observation in the SAS data set WORK.BOTH?
Id Char1 Char2
--- ----- ----182 M

Id Char1 Char2
--- ----- ----182

Id Char1 Char2
--- ----- ----182 M

Id Char1 Char2
--- ----- ----720 P

correct_answer = "C"
Item 3
Given the text file COLOR.TXT:
----+----1----+----2----+---RED

ORANGE YELLOW GREEN

BLUE INDIGO PURPLE VIOLET


CYAN WHITE FUCSIA BLACK
GRAY BROWN PINK

MAGENTA

The following SAS program is submitted:


data WORK.COLORS;
infile 'COLORS.TXT';
input @1 Var1 $ @8 Var2 $ @;
input @1 Var3 $ @8 Var4 $ @;
run;
What will the data set WORK.COLORS contain?
Var1

Var2

Var3

Var4

------ ------ ------ -----RED

ORANGE RED

BLUE

INDIGO BLUE

INDIGO

CYAN

WHITE

WHITE

GRAY

BROWN

CYAN
GRAY

ORANGE

BROWN

Var1

Var2

Var3

Var4

------ ------ ------ -----RED

ORANGE BLUE

CYAN

WHITE

Var1

Var2

GRAY

Var3

INDIGO
BROWN

Var4

------ ------ ------ -----RED

ORANGE YELLOW GREEN

BLUE

INDIGO PURPLE VIOLET

Var1

Var2

Var3

Var4

------ ------ ------ -----RED

ORANGE YELLOW GREEN

BLUE

INDIGO PURPLE VIOLET

CYAN

WHITE

GRAY

BROWN

FUCSIA BLACK
PINK

MAGENTA

correct_answer = "A"
Item 4
Given the SAS data set WORK.INPUT:
Var1

Var2

------ ------A

one

two

three

four

five

The following SAS program is submitted:


data WORK.ONE WORK.TWO;
set WORK.INPUT;
if Var1='A' then output WORK.ONE;
output;
run;
How many observations will be in data set WORK.ONE?
Enter your numeric answer. Do not add leading or trailing spaces to your answer.

Top of Form

Bottom of Form
correct_answer = "8"
Item 5
The following SAS program is submitted:
data WORK.LOOP;
X = 0;
do Index = 1 to 5 by 2;
X = Index;
end;
run;
Upon completion of execution, what are the values of the variables X and Index in
the SAS data set named WORK.LOOP?

X = 3, Index = 5
X = 5, Index = 5
X = 5, Index = 6
X = 5, Index = 7
correct_answer = "D"
Item 6
The following SAS program is submitted:

proc format;
value score 1 - 50 = 'Fail'
51 - 100 = 'Pass';
run;
Which one of the following PRINT procedure steps correctly applies the format?
proc print data = SASUSER.CLASS;
var test;
format test score;
run;

proc print data = SASUSER.CLASS;


var test;
format test score.;
run;

proc print data = SASUSER.CLASS format = score;


var test;
run;

proc print data = SASUSER.CLASS format = score.;


var test;
run;

correct_answer = "B"
Item 7
This item will ask you to provide a line of missing code;
The SAS data set WORK.INPUT contains 10 observations, and includes the numeric
variable Cost.
The following SAS program is submitted to accumulate the total value of Cost for
the 10 observations:
data WORK.TOTAL;
set WORK.INPUT;
<insert code here>
Total=Total+Cost;
run;
Which statement correctly completes the program?
keep Total;
retain Total 0;
Total = 0;
If _N_= 1 then Total = 0;
correct_answer = "B"
Item 8
This question will ask you to provide a line of missing code.
Given the following data set WORK.SALES:

SalesID SalesJan FebSales MarchAmt


------- -------- -------- -------W6790

50

400

350

W7693

25

100

125

W1387

300

250

The following SAS program is submitted:


data WORK.QTR1;
set WORK.SALES;
array month{3} SalesJan FebSales MarchAmt;
<insert code here>
run;
Which statement should be inserted to produce the following output?
SalesID SalesJan FebSales MarchAmt Qtr1
------- -------- -------- -------- ---W6790

50

400

350 800

W7693

25

100

125 250

W1387

300

250 550

Qtr1 = sum(of month{_ALL_});


Qtr1 = month{1} + month{2} + month{3};
Qtr1 = sum(of month{*});
Qtr1 = sum(of month{3});
correct_answer = "C"
Item 9
Given the following SAS error log
44 data WORK.OUTPUT;
45

set SASHELP.CLASS;

46

BMI=(Weight*703)/Height**2;

47

where bmi ge 20;

ERROR: Variable bmi is not on file SASHELP.CLASS.


48 run;
What change to the program will correct the error?
Replace the WHERE statement with an IF statement
Change the ** in the BMI formula to a single *
Change bmi to BMI in the WHERE statement
Add a (Keep=BMI) option to the SET statement
correct_answer = "A"
Item 10
The following SAS program is submitted:
data WORK.TEMP;
Char1='0123456789';
Char2=substr(Char1,3,4);
run;
What is the value of Char2?
23
34
345
2345
correct_answer = "D"

SAS Advanced Programming for SAS 9


Item 1

Given the following SAS data sets ONE and TWO:

The following SAS program is submitted:


proc sql;
select one.*, sales
from one right join two
on one.year = two.year;
quit;
Which one of the following reports is generated?

correct_answer = "D"
Item 2

Given the following SAS data sets ONE and TWO:

The following SAS program is submitted creating the output table THREE:
data three;
merge one (in = in1) two (in = in2);
by num;
run;

Which one of the following SQL programs creates an equivalent SAS data set
THREE?
proc sql;
create table three as
select *
from one full join two
where one.num = two.num;
quit;

proc sql;
create table three as
select coalesce(one.num, two.num)
as NUM, char1, char2

from one full join two


where one.num = two.num;
quit;
proc sql;
create table three as
select one.num, char1, char2
from one full join two
on one.num = two.num;
quit;
proc sql;
create table three as
select coalesce(one.num, two.num)
as NUM, char1, char2
from one full join two
on one.num = two.num;
quit;
correct_answer = "D"
Item 3
The following SAS program is submitted:
%let type = RANCH;
proc sql;
create view houses as
select *
from sasuser.houses
where style = "&type";
quit;

%let type = CONDO;

proc print data = houses;


run;
The report that is produced displays observations whose value of STYLE are all
equal to RANCH.
Which one of the following functions on the WHERE clause resolves the current
value of the macro variable TYPE?
GET
SYMGET
%SYMGET
&RETRIEVE
correct_answer = "B"
Item 4
The SAS data set SASDATA.SALES has a simple index on the variable DATE and a
variable named REVENUE with no index.
In which one of the following SAS programs is the DATE index considered for use?
proc print data = sasdata.sales;
by date;
run;
proc print data = sasdata.sales;
where month(date) = 3;
run;
data march;
set sasdata.sales;
if '01mar2002'd < date < '31mar2002'd;

run;
data march;
set sasdata.sales;
where date < '31mar2002'd or revenue > 50000;
run;
correct_answer = "A"

Clinical Trials Programming Using SAS 9


Item 1
What is the main focus of Good Clinical Practices (GCP)?
harmonized data collection
standard analysis practices
protection of subjects
standard monitoring practices
correct_answer = "C"
Item 2
Vital Signs are a component of which SDTM class?
Findings
Interventions
Events
Special Purpose
correct_answer = "A"
Item 3
Which option in the PROC EXPORT procedure overwrites an existing file?
NEW
OVERWRITE

REPLACE
KEEP
correct_answer = "C"
Item 4
Given the following data set WORK.DEMO:
PTID

Sex

Age

Height

Weight

689574

15

80.0

115.5

423698

14

65.5

90.0

758964

12

60.3

87.0

653347

14

62.8

98.5

493847

14

63.5

102.5

500029

12

57.3

83.0

513842

12

59.8

84.5

515151

15

62.5

112.5

522396

13

62.5

84.0

534787

12

59.0

99.5

875642

11

51.3

50.5

879653

15

75.3

105.0

542369

12

56.3

77.0

698754

11

50.5

70.0

656423

16

72.0

150.0

785412

12

67.8

121.0

785698

16

72.0

110.0

763284

11

57.5

85.0

968743

14

60.5

85.0

457826

18

74.0

165.0

The following SAS program is submitted:


proc print data=WORK.DEMO(firstobs=5 obs=10);
where Sex='M';
run;
How many observations will be displayed?
4
6
7
8
correct_answer = "B"
Item 5
Given the following partial data set:
SUBJID SAF ITT OTH
101

103

106

107

The following SAS program is submitted:


proc format;
value stdypfmt
1="Safety"
2="Intent-to-Treat"
3="Other";
run;

data test;

set temp (keep=SUBJID ITT SAF OTH );


by subjid;
length STDYPOP $200;
array pop{*} SAF ITT OTH ;
do i=1 to 3;
if STDYPOP="" and pop{i}=1 then STDYPOP=put(i, stdypfmt.);
else if STDYPOP^="" and pop{i}=1 then STDYPOP = trim(STDYPOP)||"/"||put(i,
stdypfmt.);
end;
run;
What is the value of STDYPOP for SUBJID=107?
correct_answer = "Safety/Other"
Item 6
This question will ask you to provide a line of missing code.
Given the data set WORK.STUDYDATA with the following variable list:
#

Variable

DAY

DIABP

TRT

Type
Char

Len
8

Num
Char

Study Day
8

Label

Diastolic Blood Pressure


Treatment

The following SAS program is submitted:


proc means data=WORK.STUDYDATA noprint;
<insert code here>
class TRT DAY;
var DIABP;
output out=WORK.DIAOUT mean=meandp;
run;

WORK.DIAOUT should contain:


the mean diastolic blood pressure values for every day by treatment group
the overall mean diastolic blood pressure for each treatment group
Which statement correctly completes the program to meet these requirements?
where trt or trt*day;
types trt trt*day;
by trt day;
id trt day;
correct_answer = "B"
Item 7
The following SAS program is submitted:
%let member1=Demog;
%let member2=Adverse;
%let Root=member;
%let Suffix=2;
%put &&&Root&Suffix;
What is written to the SAS log?
&member2
Adverse
&&&Root&Suffix
WARNING: Apparent symbolic reference ROOT2 not resolved.
correct_answer = "B"
Item 8
This question will ask you to provide a line of missing code.
The following SAS program is submitted:
proc format ;

value dayfmt 1='Sunday'


2='Monday'
3='Tuesday'
4='Wednesday'
5='Thursday'
6='Friday'
7='Saturday' ;
run ;

proc report data=diary ;


column subject day var1 var2 ;
<insert code here>
run ;
In the DIARY data set, the format DAYFMT is assigned to the variable DAY. Which
statement will cause variable DAY to be printed in its unformatted order?
define day / order 'Day' ;
define day / order order=data 'Day' ;
define day / order noprint 'Day' ;
define day / order order=internal 'Day' ;
correct_answer = "D"
Item 9
You are using SAS software to create reports that will be output in a Rich Text
Format so that it may be read by Microsoft Word. The report will span multiple
pages and you want to display a '(Continued)' text at the end of each page when a
table spans multiple pages.
Which statement can you add to the SAS program to ensure the inclusion of the
'(Continued)' text?
ods rtf file='report.rtf';

ods tagsets.rtf file='report.rtf';


ods tagsets.rtf file='report.rtf' break='Continued';
ods file open='report.rtf' type=rtf break='(Continued)';
correct_answer = "B"
Item 10
What is the primary purpose of programming validation?
Ensure that the output from both the original program and the validation program
match.
Efficiently ensure any logic errors are discovered early in the programming process.
Justify the means used to accomplish the outcome of a program and ensure its
accurate representation of the original data.
Document all specifications pertaining to programmed output and ensure all were
reviewed during the programming process.
correct_answer = "C"

Predictive Modeling Using SAS Enterprise Miner 6


Item 1

Open the diagram labeled Practice A within the project labeled Practice A. Perform
the following in SAS Enterprise Miner:
Set the Clustering method to Average.
Run the Cluster node.
Use this project to answer the next two questions:
What is the Importance statistic for MTGBal (Mortgage Balance)?
0.32959
0.42541

0.42667
1.000000
correct_answer = "C" You must change the clustering method to average and run
the cluster node first. Select view results and look in the output window and view
the Variable Importance results.
What is the Cubic Clustering Criterion statistic for this clustering?
5.00
14.69
5862.76
67409.93
correct_answer = "B" Run the diagram flow and view the results. From the results
window, select View -> Summary Statistics -> CCC Plot and mouse over where the
data point and the line intersect. This will display the CCC statistic.
Item 2
Create a project named Insurance, with a diagram named Explore.
Create the data source, DEVELOP, in SAS Enterprise Miner. DEVELOP is in the
directory c:\workshop\Practice.
Set the role of all variables to Input, with the exception of the Target variable, Ins
(1= has insurance, 0= does not have insurance).
Set the measurement level for the Target variable, Ins, to Binary.
Ensure that Branch and Res are the only variables with the measurement level of
Nominal.
All other variables should be set to Interval or Binary.
Make sure that the default sampling method is random and that the seed is 12345.
Use this project to answer the next <B.SEVEN< b>questions. (Note: only 2 of 7
questions are displayed for this example)
The variable Branch has how many levels?
8
12

19
47
correct_answer = "C" This information can be obtained by viewing the PROC FREQ
output.
What is the mean credit card balance (CCBal) of the customers with a variable
annuity?
$0.00
$8,711.65
$9,586.55
$11,142.45
correct_answer = "D" You can use a Stat Explore Node and view the output for the
Descriptive Statistics for CCBal by level of the target variable.

SAS Platform Administration for SAS 9


Item 1
The location of the repository manager physical files can be found in:
SAS Management Console.
the metadata server's omaconfig.xml file.
the foundation repository.
the metadata server's sasv9.cfg file.
correct_answer = "B"
Item 2
Every SAS platform implementation includes:
a foundation repository and a repository manager.
a foundation repository and a custom repository.
a custom repository and a repository manager.
multiple project repositories.

correct_answer = "A"
Item 3
Which procedure allows a platform administrator to update table metadata?
METAUPDATE_RULE
METASELECT
METATABLE
METALIB
correct_answer = "D"
Item 4
Which statement regarding pre-assigned libraries is true?
Pre-assigned libraries reduce the initialization time for a workspace server.
Pre-assigned libraries always connect to an RDBMS at server initialization.
Pre-assigned libraries always connect to a base SAS library at server initialization.
Pre-assigned libraries do not have to be identical across all SAS client applications.
correct_answer = "C"
Item 5
A platform administrator needs to retrieve from the metadata a complete LIBNAME
statement including the user ID and password.
To complete this task, the platform administrator must be connected to SAS
Management Console with what type of user access in the metadata?
Access to the credentials associated with libraries created with the METALIB
procedure.
Access to credentials established by the LIBNAME engine.
Access to credentials associated with users in the outbound login.
Access to credentials for the authentication domain associated with the database
server.
correct_answer = "D"
Item 6

By default, which groups have WriteMetadata on the Foundation repository?


PUBLIC
SASUSERS
ADMINISTRATORS ONLY
SAS SYSTEM SERVICES ONLY
correct_answer = "B"
Item 7
Given the following authorization settings for Library Sales2:
Library Sales2's parent folder has an explicit grant of RM for Mary.
Library Sales2 has an explicit denial of RM for PUBLIC.
Which statement is true?
Mary can see Library Sales2.
Mary can see data flagged as PUBLIC in Library Sales2.
Mary cannot see Library Sales2.
Mary can see Library Sales2, but not any data flagged as PUBLIC.
correct_answer = "C"
Item 8
Which statement is FALSE regarding the WriteMemberMetadata (WMM) permission?
By default, it mirrors the WriteMetadata permission.
It only applies to folders.
If WriteMetadata is granted, then you should not deny WMM.
WMM is inherited from one folder to another folder.
correct_answer = "D"
Item 9
Content has been exported from a SAS 9.1.3 environment into a SAS 9.2
development environment. After the export, the platform administrator attempts to
promote an object from the SAS 9.2 development environment into a production

environment.
What will be the result of this promotion attempt?
The promotion will not be allowed because objects from SAS 9.1.3 cannot be
promoted to SAS 9.2.
The promotion will not be allowed because objects in a development environment
cannot be promoted to a production environment.
The promotion will be allowed assuming the object type is allowed for promotion.
The promotion will not be allowed because objects exported from a previous
environment cannot be promoted.
correct_answer = "C"

SAS Data Integration Developer for SAS 9


Item 1
Which of the following servers is NOT a part of the platform for SAS Business
Analytics server tier?
SAS Metadata Server
SAS Workspace Server
SAS/CONNECT Server
SAS Content Server
correct_answer = "D"
Item 2
Which products are needed on the local host in order to access data from an MS
Access Database using an ODBC Data Source name?
SAS/ACCESS interface to DSN
SAS/ACCESS interface to MDB
SAS/ACCESS interface to PC Files
SAS/ACCESS interface to ODBC
correct_answer = "D"

Item 3
Which statement is true regarding external files?
External file objects are accessed with SAS INFILE and FILE statements.
External files contain only one record per line.
External files can be used as input but not as outputs in SAS Data Integration Studio
jobs.
SAS can only work with Blank, Comma, Semicolon and Tab as delimiters in external
files.
correct_answer = "A"
Item 4
Within SAS Data Integration Studio's SQL Join transformation, the option to turn on
debug is located in which Properties pane?
Select Properties
Create Properties
SQL Join Properties
Job Properties
correct_answer = "C"
Item 5
Which SAS Data Integration Studio reports, generated as external files, can be
stored as document objects within metadata?
only job reports
only table reports
both job reports and table reports
No reports can be stored as document objects.
correct_answer = "C"
Item 6
You want to create a job to extract only the rows that contain information about
female employees from a table that contains information about both male and
female employees. The new table should have observations in ascending order of

age. Refer to the job flow diagram in the exhibit. Where would you set the options to
filter and sort the data?

Where tab and Group By tab


Where tab and Order By tab
Where tab and Parameters tab
Group By tab and Parameters tab
correct_answer = "B"
Item 7
Within SAS Data Integration Studio's Table Loader transformation, which load style
choice does NOT exist?
Delete where
Append to Existing
Replace
Update/Insert
correct_answer = "A"
Item 8
In SAS Data Integration Studio, a business key can be defined in the properties of
which transformation?
Data Validation
SQL Join
Lookup
SCD Type 2 Loader
correct_answer = "D"

SAS BI Content Developer for SAS 9

Item 1
When opening a registered SAS data file into a Microsoft Excel Worksheet, a user
has the option to sort the data.
Which application performs the sort and where does the sort occur?
SAS performs the sort on the server.
SAS performs the sort on the local machine.
Excel performs the sort on the server.
Excel performs the sort on the local machine.
correct_answer = "A"
Item 2
When can you add a stored process as a data source to an information map?
anytime
when at least one table is selected as a data source
when at least one OLAP cube is selected as a data source
once an application server has been selected
correct_answer = "B"
Item 3
Refer to the exhibit.

A SAS.IdentityGroups filter has been created in SAS Information Map Studio. There is
a data item called "Group" that contains different metadata groups.
If the "Group" filter is applied to the map, how will it affect the data?
All rows will be returned for any group that the user is a member of.
Only rows that belong to the first group are returned.
All rows will be returned for PUBLIC group only.
All rows matching the group identity login are returned.

correct_answer = "A"
Item 4
A SAS data set is used as a data source for a SAS BI Dashboard data model.
Which type of code do you write to query the data?
DATA Step
PROC SQL
a SQL/JDBC query
MDX
correct_answer = "C"
Item 5
Refer to the exhibit.

What causes this error message when executing a stored process?


Stored process code cannot be a .TXT file.
The stored process server is not running.
The file that contains the stored process code is not in the specified location.
An administrator deleted the stored process from the metadata.
correct_answer = "C"
Item 6
In a stored process, when using a range prompt named DateRange, which macro
variables would you use in your SAS code?
DateRange_START and DateRange_FINISH
DateRange_BEGIN and DateRange_END

DateRange_MIN and DateRange_MAX


DateRange0 and DateRange1
correct_answer = "C"
Item 7
Upon initial install, all of the capabilities in the 'Web Report Studio: Report Creation'
role are also included in which role?
Web Report Studio: Report Viewing
Web Report Studio: Advanced
Web Report Studio: Content Management
Web Report Studio: Administration
correct_answer = "B"
Item 8
A content developer would like to create a group of cascading prompts to use in
multiple reports without recreating the prompts for each report.
What features of the prompt framework must the developer use?
Cannot create shared cascading prompts for use in multiple reports.
Dynamic Prompts and Shared Prompts
Cascading Prompts and Standard Groups
Cascading Prompts, Standard Groups, and Shared Prompts
correct_answer = "D"
Item 9
A SAS Information Map with a SAS OLAP Cube as a data source can be built from
which of the following?
multiple SAS OLAP Cubes
a SAS OLAP Cube and a stored process
one table joined with one SAS OLAP Cube
one SAS OLAP Cube only

correct_answer = "D"
Item 10
Which statement is true regarding connection profiles used with the SAS platform
applications?
Each SAS platform application must have its own connection profile.
Connection profiles are stored on the server machine.
Connection profiles are stored on the machine where the SAS application is
installed.
All SAS platform applications share one connection profile.
correct_answer = "C"

SAS Statistical Business Analyst Using SAS 9


Item 1
A financial analyst wants to know whether assets in portfolio A are more risky (have
higher variance) than those in portfolio B. The analyst computes the annual returns
(or percent changes) for assets within each of the two groups and obtains the
following output from the GLM procedure:

Which conclusion is supported by the output?


Assets in portfolio A are significantly more risky than assets in portfolio B.
Assets in portfolio B are significantly more risky than assets in portfolio A.

The portfolios differ significantly with respect to risk.


The portfolios do not differ significantly with respect to risk.
correct_answer = "C"
Item 2
An analyst has determined that there exists a significant effect due to region. The
analyst needs to make pairwise comparisons of all eight regions and wants to
control the experimentwise error rate.
Which GLM procedure statement would provide the correct output?
lsmeans Region / pdiff=all adjust=dunnett;
lsmeans Region / pdiff=all adjust=tukey;
lsmeans Region / pdiff=all adjust=lsd;
lsmeans Region / pdiff=all adjust=none;
correct_answer = "B"
Item 3
A linear model has the following characteristics:
a dependent variable (y)
one continuous predictor variables (x1) including a quadratic term (x12)
one categorical predictor variable (c1 with 3 levels)
one interaction term (c1 by x1)
Which SAS program fits this model?
proc glm data=SASUSER.MLR;
class c1;
model y = c1 x1 x1sq c1byx1 /solution;
run;
proc reg data=SASUSER.MLR;
model y = c1 x1 x1sq c1byx1 /solution;
run;

proc glm data=SASUSER.MLR;


class c1;
model y = c1 x1 x1*x1 c1*x1 /solution;
run;
proc reg data=SASUSER.MLR;
model y = c1 x1 x1*x1 c1*x1;
run;
correct_answer = "C"
Item 4
Refer to the REG procedure output:

What is the most important predictor of the response variable?


intercept
overhead
scrap
training
correct_answer = "B"
Item 5
Which statement is an assumption of logistic regression?
The sample size is greater than 100.

The logit is a linear function of the predictors.


The predictor variables are not correlated.
The errors are normally distributed.
correct_answer = "B"
Item 6
When selecting variables or effects using SELECTION=BACKWARD in the LOGISTIC
procedure, the business analyst's model selection terminated at Step 3.
What happened between Step 1 and Step 2?
DF increased.
AIC increased.
Pr > Chisq increased.
- 2 Log L increased.
correct_answer = "D"
Item 7
The LOGISTIC procedure will be used to perform a regression analysis on a data set
with a total of 10,000 records. A single input variable contains 30% missing records.

How many total records will be used by PROC LOGISTIC for the regression analysis?
Enter your numeric answer in the space below. Do not add leading or trailing spaces
to your answer.
Click the calculator button to display a calculator if needed.
correct_answer = "7000"
Item 8
An analyst is screening for irrelevant variables by estimating strength of association
between each input and the target variable. The analyst is using Spearman
correlation and Hoeffding's D statistics in the CORR procedure.
What would likely cause some inputs to have a large Hoeffding and a near zero
Spearman statistic?

nonmonotonic association between the variables


linear association between the variables
monotonic association between the variables
no association between the variables
correct_answer = "A"
Item 9
An analyst builds a logistic regression model which is 75% accurate at predicting
the event of interest on the training data set. The analyst presents this accuracy
rate to upper management as a measure of model assessment.
What is the problem with presenting this measure of accuracy for model
assessment?
This accuracy rate is redundant with the misclassification rate.
It is pessimistically biased since it is calculated from the data set used to train the
model.
This accuracy rate is redundant with the average squared error.
It is optimistically biased since it is calculated from the data used to train the model.
correct_answer = "D"
Item 10
Refer to the exhibit:

For the ROC curve shown, what is the meaning of the area under the curve?
percent concordant plus percent tied
percent concordant plus (.5 * percent tied)
percent concordant plus (.5 * percent discordant)
percent discordant plus percent tied
correct_answer = "B"
Contact Us | Sitemap | RSS Feeds | www.sas.com | Terms of Use & Legal Information
| Privacy Statement
Copyright 2012 SAS Institute Inc. All Rights Reserved

Vous aimerez peut-être aussi