+ All Categories
Home > Documents > Global SAS

Global SAS

Date post: 24-Nov-2015
Category:
Upload: svidhyaghantasala
View: 34 times
Download: 9 times
Share this document with a friend
154
Page102 SAS 9.2 SAS is an integrated software to access, manage, analyze and present data. SAS system can be used to perform data entry, retrieval, management, report writing, graphics design, statistical and mathematical analysis, business forecasting and decision support, operational research, project management and application development. History of SAS : SAS began its company life in 1976 and was called SAS institute. SAS Solutions or used at more then 40,000 websites in 120 counties.SAS is Both a company and software. Why SAS? SAS is a boon to Life science and commerce students. SAS is software where in they can use it in their domain and it is comparatively easy to learn as SAS® is neither a menu-driven nor a command driven application. Rather it relies on user- written scripts or “programs” that are processed when requested to know what to do. Because it is a script-based application, the key to being successful using SAS is learning the rule and tricks of writing scripts. 1 Prepared by Ganesh Ch,i- Solutions,Hyderabad,09391297574
Transcript

SAS 9

SAS 9.2 SAS is an integrated software to access, manage, analyze and present data.

SAS system can be used to perform data entry, retrieval, management, report writing, graphics design, statistical and mathematical analysis, business forecasting and decision support, operational research, project management and application development.History of SAS: SAS began its company life in 1976 and was called SAS institute. SAS

Solutions or used at more then 40,000 websites in 120 counties.SAS is

Both a company and software.

Why SAS?

SAS is a boon to Life science and commerce students. SAS is software where in they can use it in their domain and it is comparatively easy to learn as SAS is neither a menu-driven nor a command driven application. Rather it relies on user-written scripts or programs that are processed when requested to know what to do. Because it is a script-based application, the key to being successful using SAS is learning the rule and tricks of writing scripts.

Can process large data set(s)

Easy to cope with multiple variables

Can track all the operations on the data set(s)

Can generate systematic output

Summary statistics

Graphs

Regression results

Features:

1. Cross platform support.

2. Support virtually any data format.3. Long term commitment to research and development.

4. An integrated development environment.

5. High level programming language.

6. Can process files containing millions of rows and thousand of columns of data. SAS statement:

1. Every SAS statement ends with a semicolon.

2. All SAS statements start with a key word (data, input, proc).

3. SAS statements can be entered in free format.

4. Upper case and lower case are equivalent except in side quotation marks.

5. Quotations can be single or double but, they must match.

6. A single statement can span in multiple lines.

7. Several statements can be on the same line.

SAS variables: There are 2 types of variables in SAS.1. Character.

2. Numeric.Variable names: 1. SAS variable names begin with A Z or a z or underscore.

2. Cannot contain blanks or special symbols.

3. Can be 32 characters long in length.

4. Can be uppercase, lowercase or mixed case.

Shortcut keys:1. Run F3 or F8

2. Submit F3 or F8

3. Clear Ctrl + E

4. Undo Ctrl + Z

5. Help F1

6. Recall F4

7. Show keys F9

EMBED PowerPoint.Show.12

SAS Language Concepts:

The basic components of SAS language are :

SAS Files

Data Step

Procedure Step

SAS informats

SAS formats

Variables

Functions

Statements

Reading of Raw Data

Miscellaneous (SAS Programs,Outputs,Log And Errors)

Parts of a SAS Program:SAS programs are constructed from two basic building blocks.

Data step

Proc step

Data steps and procedures are made up of one or more statements.A typical program starts with a data step to create a SAS dataset and then passes the data to a proc step for analysis.The data step read and modify data,the proc step perform specific analysis or functions.Data steps start with the data statement ,proc steps start with the keyword proc is followed by the name of the procedure.The proc step ends with a run statement.The run statement indicates to SAS that the procedure or data step is complete.

Starting a new data step or procedure is also taken by SAS as an indication that the previous one is complete (nesting of data steps and/or procedures is not allowed).SAS Data Libraries A SAS data library is a directory on your computer where SAS data sets are stored or will be stored.

A library reference name (libref) can be assigned using the libname statement:

libname libref path-specification;

The libref must follow naming conventions and the path specified must exist.

What happens when a SAS program is submitted?

SAS software reads the statements and checks them for errors

When it encounters a DATA, PROC, or RUN statement, SAS software stops reading statements and executes the current step in the program.

Each time a step is executed, SAS software generates a log of the processing activities and the results of the processing. The SAS log collects messages about the processing of SAS programs and any errors that may occur.

Separate sets of messages for each step in the program are produced.

Set Statement: Reads an observation from one or more SAS datasets. Set reads all

Variables and all observations from the input datasets. A set statement

Can contain multiple datasets.

Syntax: data New-dataset-name;

Set old-dataset-name;

Run;

Ex:

Data ravi.emp;

Set raja.emp;

Run; Options List:

1. Keep.

2. Drop.

3. Label.

4. OBS.

5. FIRSTOBS.

Ex: 1 Data ravi.emp;

Set raja.emp (OBS=3);

Run;

Ex: 2 Data ravi.emp;

Set raja.emp (FIRSTOBS=3);

Run;

Ex: 3 Data ravi.emp;

Set raja.emp (FIRSTOBS=3 OBS=6);

Run;

Ex: 4 Data ravi.emp;

Set raja.emp (Drop=Job Sal);

Run;

Ex: 5 Data ravi.emp;

Set raja.emp (keep= Job Sal);

Run;

Label: Assigns descriptive labels to variables. The label option allows us upto 256

Characters long in length.Ex: Data ravi.emp;

Set raja.emp;

Label Sal= SALARY;

Run;

SAS LIST OF OPERATORS

1.ARTHIMETIC:

+ - * / **(POWER)

2.LOGICAL :

AND OR NOT

3.COMPARISION:

=(GE),^=(NE),=(EQ)

4.IN OPERATOR

5.LIKE OPERATOR

6.BETWEEN,AND OPERATOR

7.CONTAINS(?)OPERATOR

8.IS MISSING,IS NULL OPERATOR

EXAMPLES:DATA AJAY.EMP;

SET GANESH.EMP;

WHERE SAL GT 2000;

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE 12*SAL GT 23000;

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE JOB="SALESMAN";

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE JOB="SALESMAN" OR JOB='ANALYST';

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE JOB IN ('SALESMAN' 'ANALYST');

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE JOB NOT IN ('SALESMAN' 'ANALYST');

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE COMM IS NULL;

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE COMM IS NOT NULL;

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE COMM IS MISSING;

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE COMM IS NOT MISSING;

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE JOB='MANAGER' AND SAL GT 4000;

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE ENAME LIKE 'S%';

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE ENAME LIKE '%S';

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE JOB CONTAINS 'MAN';

RUN;

DATA AJAY.EMP;

SET GANESH.EMP;

WHERE JOB ? 'MAN';

RUN;IF THEN ELSE STATEMENT:Syntax:

If condition then statement-1;

Else

Statement-2;

Suppose the condition is true statement-1 should be executed, otherwise statement-2 should be executed. But not the both.

EXAMPLES:

DATA RAJA.EMP;

SET GANESH.EMP(KEEP=EMPNO ENAME JOB);

IF JOB='SALESMAN' THEN RANK='FOURTH';

ELSEIF JOB='CLERK' THEN RANK='THIRD';

ELSEIF JOB='ANALYST' THEN RANK='SECOND';

ELSEIF JOB='MANAGER' THEN RANK='FIRST';

ELSERANK='NA';

RUN;

DATA REENA.STUDENT;

INPUT ROLLNO NAME$ PER;

IF PER GE 60 THEN GRADE='FIRST';

ELSEIF PER GE 50 THEN GRADE='SECOND';

ELSEIF PER GE 40 THEN GRADE='THIRD';

ELSEGRADE='FAIL';

CARDS;

100 SCOTT 56

101 JAMES 23

102 FORD 89

103 WILL 77

104 SMITH 45

;

Creating multiple datasets by using output statement:

DATA RAJ.MALES RAJ.FEMALES;

INPUT EMPNO ENAME$ GENDER$;

IF GENDER='M' THEN OUTPUT RAJ.MALES;

ELSEOUTPUT RAJ.FEMALES;

DATALINES;

100 SCOTT M

101 JIM M

102 KELLY F

103 ROSY F

104 DEVID M

105 SMITHA F

RUN;

Do Statement: The DO statement designates a group of statements that are to be executed as a unit. The simplest form of the DO loop is

DO;

. . .SAS statements. . .

END;

Syntax:

Do variable=min to max;

SAS Statement;

End;

Ex: Data scott.List;

Do N=1 to 10;

Output;

End;

Run; Do While Statement:

The DO WHILE statement works like the iterative DO statement with a WHILE clause, except that you do not specify an index-variable or start, stop, or increment.

Syntax:

Do while (expression);

SAS Statements;

End;

Ex: 1 Data List;

N=1; (Min value)

Do while (nGRANT RESOURCE, CONNECT TO SOURCE IDENTIFIED BY SOURCE;

SQL>GRANT RESOURCE, CONNECT TO TARGET IDENTIFIED BY TARGET;

SQL>EXIT;

USER NAME: SOURCE

PASSWORD: SOURCE

CONNECTED

Create the following tables in the User Source:

CREATE TABLE EMP(EMPNO NUMBER(4),ENAME CHAR(12),JOB CHAR(12),SAL NUMBER(12),BONUS NUMBER(5),DEPTNO NUMBER(2));

INSERT 15 ROWS INTO TABLE EMPCREATE TABLE DEPT (DEPTNO NUMBER (2), DNAME CHAR (12), LOC CHAR (12));SQL>EXIT;

CREATE A FOLDER MAIN IN DRIVE C

CREATE ANOTHER SUB FOLDER METADATA IN MAIN FOLDER.

STEP:2 SETUP DWH ENVIRONMENT1. ENTER DW IN COMMAND LINE AND PRESS ENTER.

2. RIGHT CLICK ON EMPTY SPACE IN WAREHOUSE ADMINISTRATOR.

3. ADD ITEM

4. SELECT DATA WAREHOUSE ENVIRONMENT.

5. PATH : C:\MAIN OK

6. NAME : Emp_Env OK

7. DB CLICK ON EMP_ENV IN SAS/DWH ENVIRONMENT.

8. GOTO FILE ----> SELECT SETUP

DEFINE ITEMS USED GLOBALLY:

I. DBMS CONNECTIONS:

1. ADD(FOR SOURCE)

2. GENERAL -> NAME -> SOURCE_DB

3. DETAILS -> DBMS NICK NAME -> ORACLE -> YES

4. USER/SCHEMA -> SOURCE -> PASSOWRD

5. NEW PASSWORD -> SOURCE(ENTER)

6. VERIFY PASSWORD -> SOURCE(ENTER)

7. OK

8. OLD PASSOWRD -> OK

9. OPTIONS -> NOT REQUIRED -> OK

10. ADD (FOR TARGET)

11. GENERAL -> NAME -> TARGET_DB

12. DETAILS -> DBMS NICK NAME -> ORACLE -> YES

13. USER/SCHEMA -> TARGET -> PASSOWRD

14. NEW PASSWORD -> TARGET (ENTER)

15. VERIFY PASSWORD -> TARGET (ENTER)

16. OK

17. OLD PASSOWRD -> OK

18. OPTIONS -> NOT REQUIRED -> OK

II.SAS LIBRARIES:

1. ADD ( FOR SOURCE)

2. GENERAL -> NAME -> SRC_LIB

3. DETAILS -> LET THE SAS SYSTEM ASSIGN THE LIBRARY

4. LIBREF -> SRC_LIB

5. ENGINE -> ORACLE

6. CONNECTION -> THIS LIBRARY IS A DATABASE CONNECTION LIBRARY

7. CONNECTION -> SOURCE_DB -> OK -> YES -> OK -> OK

8. ADD (FOR TARGET)

9. GENERAL -> NAME -> TRG_LIB

10. DETAILS -> LET THE SAS SYSTEM ASSIGN THE LIBRARY

11. LIBREF -> TRG_LIB

12. ENGINE -> ORACLE

13. CONNECTION -> THIS LIBRARY IS A DATABASE CONNECTION LIBRARY

14. CONNECTION -> TARGET_DB -> OK -> YES -> OK -> OK

15. CREATE A NEW LIBRARY IN SAS LIBRARY WINDOW.

16. NAME -> STG_LIB

17. ENGINE -> V9

18. PATH -> C:\STG_LIB -> OK

19. ADD (FOR STAGING)

20. GENERAL -> NAME -> STG_LIB

21. DETAILS -> THE USER WILL PRE- ASSIGN THE LIBRARY

22. LIBREF -> SELECT STG_LIB -> OK

23. CONNECTION ->NOT REQUIRED ->OK

III HOSTS:

1. ADD -> GENERAL -> NAME -> HOST

2. HOST OPTIONS -> SAS VERSION -> V9

3. HOST OS -> WINDOWS -> OK

IV SCHEDULING SERVERS:

1. ADD -> WINDOWS NT AT COMMAND -> OK

2. GENERAL -> SCHEDULER NAME -> SCHEDULER

3. DIRECTORIES -> LOCAL WORKING DIRECTORY -> C:\MAIN

4. HOST -> COMPUTE HOST ->HOST -> OK -> OK

Right Click on EMP_ENV >Add Item ODD Group (Operation data definition Group)

RC on ODD GROUP Add Item Select ODD ODD ( 2 ODDS

RC on 1st ODD Properties

General Name EMP (Table)

Data location HOST Host

SAS Library SRC_LIB

SAS Table or View Select EMP(Table) OK

Columns RC on Empty Space Import

Select Supplied Data location Ok

RC on 2nd ODD Properties

General Name DEPT (Table)

Data Location HOST HOST

SAS Library SRC_LIB

SAS Table or View Select DEPT (Table) OK

Columns RC on Empty Space Import

Select Supplied Data Location OK

STEP:3 ADD DWH TO DWH ENVIRONMENT RC On Emp_Env Add Item Data warehouse

(Left Side)

General Warehouse Name EMP_DWH

Metadata Location Warehouse Library

General Name DWH_METADATA

Details Libref DWMD (Default)

Path C:\MAIN\METADATA OK OK OK

RC On SALES_DWH Add Item Subject

RC On Subject Properties

General Name EMP_SALARIES_SUBJ OK

RC On EMP_SALARIES_SUBJ Add Item Data Group

RC On DATA GROUP Add Item Data Table (For merging Emp & Dept)

RC On DATA GROUP Add Item Data Table (For RESULT)

RC On 1st Data Table Properties

General Data Table Name MERGING

Columns RC On Empty Space Import Select Operational Data Sources

Table Columns

EMP Choose EMPNO, ENAME, JOB, SAL, COMM, DEPTNO

DEPT Choose DNAME, LOC

Physical Storage Storage format SAS

Load Technique Refresh

Define Location HOS HOST

SAS Data Library STG_LIB

SAS Data Set Name MERGING

(Type) OK OK

RC On 2nd Data Table Properties

General Data Table Name RESULT

Columns RC On Empty Space Import Select Data Tables

Table Columns

MERGING ---> Choose all the Columns( OK

RC On Empty Space New Name NET_SALARY (Numeric)

(Column)

Physical Storage Storage format DBMS

Load Technique Refresh

Define Location HOST HOST

Connection DBMS Libname TRG_LIB

Table Name (Type) RESULT OK YES OK

STEP:4 ETL PROCESS

SOURCE ETL PROCESSRC On MERGING PROCESS YES

(Left Side)

RC On MERGING ADD Inputs Table Type Select

(Right Side) ODD Show Select All OK

RC On Mapping Properties

General Name MERGING_MAPPING

Execution Compute HOST HOST

Output Data Dataset Name MERGING(Type)

Data HOST HOST

Generation Options

Row Selection Row Selected Select

Row Selection Conditions

Define Select Input Table

Input Tables Columns EMP DEPTNO =

DEPT DEPTNO OK OK

Column Mapping

1 1Mappings

Source Table EMP Quick Map OK

DEPT Quick Map OK

Where Define Select Input Tables

Input Tables Columns EMP DEPTNO =

DEPT DEPTNO OK OK

RC on MERGING Edit load Step Execution Compute HOST

(Right Side)

HOST OK Yes

RC on MERGING Assign Libref Successful assignment of library STG_LIB OK

(Right Side)

RC On MERGING RUN SUBMIT Close

(Left Side)

TARGET ETL PROCESSRC on RESULT PROCESS YES

(Left Side)

RC On Empty Space Select Merge Job Select Job Show

Select MERGING

OK YES

RC on RESULT Add Inputs Select Data Table Show

MERGING OK

RC on Mapping Properties

General Name RESULT _Mapping

Execution Compute HOST HOST

Output Data Dataset Name RESULT (Type)

Data HOST HOST

Column Mapping 1 1Mappings MERGING Quick Map OK

Select NET_SALARY (In Column mappings) Derive Mappings

Input Tables MERGING Columns

SUM(SAL,BONUS) OK

RC on RESULT OK Edit to load step

(Right Side)

Execution Compute HOST HOST OK YES

RC on RESULT Assign Libref (Successful assignment of lib TRG_LIB)

(Right Side)

RC on RESULT RUN SUBMIT Close

(Left Side) CLINICAL TRAILS GLOSSARY

A

AbnormalityA sign, symptom, or laboratory result not characteristic of normal individuals.

Adverse event

The ICH defines an adverse event as: Any untoward medical occurrence in a subject or clinical investigation subject administered a pharmaceutical product and which does not necessarily have to have a causal relationship with this treatment (see ICH Guideline: Clinical safety data management: definitions and standards for expedited reporting). For non-marketed drugs/product, or new indications of marketed drugs/product, an adverse event is referred to as an adverse reaction when there is a reasonable possibility that it was caused by the medicinal product, i.e. a causal relationship cannot be ruled out.

Adverse experience See adverse event.

Adverse reaction

Unwanted effect(s) (i.e., physical and psychological symptoms and signs) resulting from treatment. A less rigid definition of adverse reaction includes the previous definition plus any undesirable effect or problem that is present during the period of treatment and may or may not be a well-known or obvious complication of the disease itself. Thus, many common personality, physical, psychological, and behavioral characteristics that are observed in medicine studies are sometimes characterized as adverse reactions even if they were present during baseline.

Synonyms of adverse reactions generally include adverse medical effects, untoward effects, side effects, adverse drug/product experiences, and adverse drug/product reactions. Specific distinctions among some of these terms may be defined operationally. For example, the term adverse reaction is used to denote those signs and symptoms at least possibly related to a medicine, whereas the term adverse experiences is used to include nonmedicine-related medical problems in a trial such as those emanating from trauma or concurrent illness. Distinctions among side effects, adverse events, and adverse reactions are illustrated in the definitions of the two former terms.

B

Bias(1) A point of view that prevents impartial judgment on issues relating to that point of view. Clinical trials attempt to control this through double blinding. (2) Any tendency for a value to deviate in one direction from the true value. Statisticians attempt to prevent this type of bias by various techniques, including randomization.

BiomarkerA measure that is an indicator of a normal physiologic process, or a pathologic state or the response of an organism to an intervention that can be used in clinical research. When a biomarker can replace a clinical endpoint it is called a surrogate endpoint.

BlindThe term blind refers to a lack of knowledge of the identity of the trial treatment. Subjects, investigators, date review committees, ancillary personnel, statisticians, and monitors are the major groups of individuals who may be kept blind during a clinical trial. Blinding is used to decrease the biases that occur in a clinical trial when subjects are evaluated during treatment and to avoid a placebo effect that often occurs in open-label trials.

C

Clinical Drug/Product Development Phase

This classification assumes a sequential approach to drug/product development. However, the clinical pharmacology programmed will overlap the later phases with a number of studies that are required for registration (e.g. interaction studies, or studies in special populations elderly, renally or hepatically-impaired), and are performed at the same time as the Phase II/III studies.

Clinical Endpoint

A measure of how a subject feels functions or survives.

Clinical Investigators Brochure

An extensive summary of all that is known about a research compound with regard to pre-clinical and clinical data.

Clinical significance

The quality of a studys outcome that convinces physicians to modify or maintain their current practice of medicine. The greater the clinical significance, the greater is the influence on the practice of medicine. The assessment of clinical significance is usually based on the magnitude of the effect observed, the quality of the study that yielded the data, and the probability that the effect is a true one. Although this operational definition is presented from the physicians perspective, the term could operationally be defined from the subjects perspective. Subjects are primarily concerned with results that will lead to an improved quality of life or a lengthening of their life. In addition, clinical significance may be applied to either positive data of efficacy or negative safety data such as for adverse reactions. Synonyms include clinical importance, clinical relevance, and clinical meaningfulness.

Clinical studies

The class of all scientific approaches to evaluate medical disease preventions, diagnostic techniques, and treatments. Investigational and marketed prescription medicine evaluations plus over-the-counter medicines or other agents (dietary supplements) are included.

Clinical trials

A subset of those clinical studies that evaluates investigational medicines in Phases I, II, and III. Phase IV evaluations of marketed medicines in formal clinical trials using the same or similar types of protocols to those used in Phases I and III are also referred to as clinical trials.

Combination of blinds

(a) In part 1 of a clinical trial, one type of blind may be used (e.g., single blind), and in part 2 of the same trial, another blind (e.g., double blind) may be used. A third part of the same trial may utilize the same blind as part 1 or use an entirely different type of blind. (b) Some subjects may follow a protocol under one type of blind and others follow the same protocol under a different type of blind. (c) The blind used may be changed during the course of the clinical trial according to certain criteria (e.g., when study is done with medical patients, the double blind may be broken, and they may continue their treatment on open-label medication).

Compliance1. Adherence of subjects to following medical advice and prescriptions. Primarily applied to taking medicine as directed, but also applies to following advice on diet, exercise, or other aspects of a subjects life.

2. Adherence of investigators to following a protocol and related administrative and regulatory responsibilities.

3. Adherence of sponsors to following regulatory, legal, and other responsibilities and requirements relating to a clinical trial.

CompoundA chemical synthesized or prepared from natural sources that is evaluated for its biological activities in preclinical tests.

Control Group

A group of clinical trial participants that receives the placebo or standard therapy for a condition while another group is given the experimental treatment. The control group serves as a measuring stick to gauge the effectiveness of the experimental treatment. D

Development of Medicines

The term development as applied to medicines is used in several different contexts, even within the pharmaceutical industry. This often leads to confusion and misunderstanding. No single definition is preferred, but the particular meaning intended should be made clear by all people using the term. Three operational definitions are presented, from the broadest to the narrowest.

1. All stages and processes involved in discovering, evaluating, and formulating a new medicine, until it reaches the market (i.e., commercial sale).

2. All stages involving the evaluation and formulation of a new medicine (after the medicine has been discovered and has gone through preclinical testing), until it reaches the market.

3. Those stages after the preclinical discovery and evaluation that involve technical development. These processes include formulation work, stability testing, scaling-up the compound for larger-scale synthesis, and providing analytical support. Clinical trials are not included in this definition.

DiseaseDisorders (e.g., anxiety disorders, seizure disorders), conditions (e.g., obesity, menopause), syndromes, specific illnesses, and other medical problems that are an acquired morbid change in a tissue, organ, or organism. Synonyms are illness and sickness.

Dosage regimen

(1) The number of doses per given time period (usually days), (2) the time that elapses between doses (e.g., dose to be given every six hours) or the time that the doses are to be given (e.g., dose to be given at 8 a.m., noon, and 4 p.m. each day) or (3) the quantity of a medicine (e.g., number of tablets, capsules, etc.) that are given at each specific time of dosing.

Double Blind

Neither the subject nor the investigator is aware of which treatment the subject is receiving. A double-blind design is generally considered to provide the most reliable data from a clinical trial. This type of clinical trial, however, is usually more complicated to initiate and conduct than single-blind or open-label trails.

Drug A drug is defined as: A substance recognized by an official pharmacopoeia or formulary.

A substance intended for use in the diagnosis, cure, mitigation, treatment, or prevention of disease.

A substance (other than food) intended to affect the structure or any function of the body.

A substance intended for use as a component of of a medicine but not a device or a component, part or accessory of a device.

Biologic products are included within this definition and are generally covered by the same laws and regulations, but differences exist regarding their manufacturing processes (chemical process vs. biological process.)

Drug Product

The finished dosage form that contains a drug substance, generally, but not necessarily in association with other active or inactive ingredients. Drug/productA licit or illicit substance that is abused. Medicines should be described as drugs/product when they are being purposely abused.

E

EfficacyA relative concept referring to the ability of a medicine to elicit a beneficial clinical effect. This may be measured or evaluated using objective or subjective parameters, and in terms ranging from global impressions, to highly precise measurements. Efficacy is assessed at one or more levels of organization (e.g.-subcellular, cellular, tissue, organ, whole body) and may be extrapolated to other levels.

EndpointAn indicator measured in a subject or biological sample to assess safety, efficacy, or another trial objective. Some endpoints are derived from primary endpoints (e.g., cardiac output is derived from stroke volume and heart rate). Synonyms include outcome, variable, parameter, marker, and measure. See surrogate endpoint in the text. Also defined as the final trial objective by some authors.

Ethics Committee

An independent group of professionals often complimented by a non-scientific member of the public responsible for approval of study protocols before a study is actually carried out. Subject safety and scientific integrity of the protocol are the main concerns.

G

Good Clinical Practice

A standard to ensure protection of research subjects and data integrity in clinical studies of new drugs/product.

I

Incidence rate

The rate of occurrence of new cases of a disease, adverse reaction, or other event in a given population at risk (e.g., the incidence of disease X is Y subjects per year per 100,000 population).

International Conference on Harmonization

The International Conference on Harmonization (ICH) has produced guidelines on Good Clinical Practice (GCP) encompassing the requirements of the European Union (EU), Japan and the United States (US) as well as those of the World Health Organization (WHO), Australia, New Zealand and the Nordic countries (ICH Topic E6, Guidelines on Good Clinical Practice).

InterpretationThe processes whereby one determines the clinical meaning or significance of data after the relevant statistical analyses have been performed. These processes often involve developing an explanation of the data that are being evaluated.

InvestigatorA suitably trained scientist (often medically qualified) involved in the execution of a clinical drug/product study. The person with ultimate responsibility for this is called principle or responsible investigator.

M

MedicineWhen a compound or substance is tested for biological and clinical activity in humans, it is considered to be a medicine. Some individuals prefer to define a medicine as a compound that has demonstrated clinically useful properties in subjects. This definition, however, would restrict the term to use sometime during or after phase II. Others use the term loosely and apply it to compounds with biological properties during the preclinical period that suggest medical usefulness in humans. The author has adopted the first definition for use in this book.

Med Watch (FDA-AERs)

The Adverse Event Reporting System (AERS) is a computerized information database designed to support the FDA's post-marketing safety surveillance program for all approved drug and therapeutic biologic products. The ultimate goal of AERS is to improve the public health by providing the best available tools for storing and analyzing safety reports.

The FDA receives adverse drug reaction reports from manufacturers as required by regulation. Health care professionals and consumers send reports voluntarily through the MedWatch program. These reports become part of a database. The structure of this database is in compliance with the international safety reporting guidance (www.fda.gov/medwatch/report/iche2b.pdf) issued by the International Conference on Harmonisation. The guidance describes the content and format for the electronic submission of reports from manufacturers. FDA codes all reported adverse events using a standardized international terminology, MedDRA (the Medical Dictionary for Regulatory Activities). Among AERS system features are: the on-screen review of reports; searching tools; and various output reports. FDA staffuse reports from AERS in conducting postmarketing drug surveillance and compliance activities and in responding to outside requests for information.

The reports in AERS are evaluated by clinical reviewers in the Center for Drug Evaluation and Research (CDER) and the Center for Biologics Evaluation and Research (CBER) to detect safety signals and to monitor drug safety. They form the basis for further epidemiological studies when appropriate. As a result, the FDA may take regulatory actions to improve product safety and protect the public health, such as updating a products labeling information, sending out a "Dear Health Care Professional" letter, or re-evaluating an approval decision.

O

Open-Label Study

No blind is used. Both investigator and subject know the identity of the medicine.

P

Pharmaco-DynamicsThe scientific discipline involved in the study of drug/product action on molecular or cellular targets or on the whole organism.

Pharmaco-kineticsThe study of the time course of the concentration of a substance and its metabolites in body fluids like blood and urine.

Phases of clinical trials and medicine development

Four phases of clinical trials and medicine development exist and are defined below. Each of these definitions is a functional one and the terms are not defined on a strict chronological basis. An investigational medicine is often evaluated in two or more phases simultaneously in different clinical trials. Also, some clinical trials may overlap two different phases.

Phase I

Clinical Pharmacology Studies in healthy volunteers (sometimes subjects) to determine the safety and tolerability of the drug/product, other dynamic effects and the pharmacokinetic profile (absorption. distribution, metabolism and excretion ADME). Evidence of efficacy may be gained if subjects, disease models or biomarkers are used.

Phase II

Clinical Investigation studies in subjects with the target disease, to determine efficacy, safety and tolerability in carefully controlled dose-ranging studies.

Phase IIa

Pilot clinical trials to evaluate efficacy (and safety) in selected populations of subjects with the disease or condition to be treated, diagnosed, or prevented. Objectives may focus on dose-response, type of subject, frequency of dosing, or numerous other characteristics of safety and efficacy.

Phase IIb

Well-controlled trials to evaluate efficacy (and safety) in subjects with the disease or condition to be treated, diagnosed, or prevented. These clinical trials usually represent the most rigorous demonstration of a medicines efficacy.

Phase III

Formal clinical trials. Large-scale placebo controlled and active comparator studies in subjects to confirm efficacy, and provide further information on the safety and tolerability of the drug/product.

Phase IIIa

Trials conducted after efficacy of the medicine is demonstrated, but prior to regulatory submission of a New Drug/product Application (NDA) or other dossier. These clinical trials are conducted in subjects populations for which the medicine is eventually intended. Phase IIIa clinical trials generate additional data on both safety and efficacy in relatively large numbers of subjects in both controlled and uncontrolled trials. Clinical trials are also conducted in special groups of subjects (e.g. renal failure subjects), or under special conditions dictated by the nature of the medicine and disease. These trials often provide much of the information needed for the package insert and labeling of the medicine.

Phase IIIb

Clinical trials conducted after regulatory submission of an NDA or other dossier, but prior to the medicines approval and launch. These trials may supplement earlier trials, complete earlier trials, or may be directed towards new types of trials (e.g., quality of life, marketing) or phase IV evaluations. This is the period between submission and approval of a regulatory dossier for marketing authorization.

Phase IV

Post-marketing surveillance to expand safety and efficacy data in a large population, including further formal therapeutic trials and comparisons with other active comparators.

Pilot Study

A pilot trial is used to obtain information, and work out the logistics and management, deemed necessary for further clinical trials. Although pilot trials are often unblind and use open-label medicines, they may also be single or double blind and may include tight control on all appropriate variables. The term pilot refers to the purpose of the trial (2).

PlaceboMeans I shall please in Latin; it is a term applied to a remedy that does not affect the specific mechanisms of the disease in question, or to the favorable response that the treatment often elicits.

Pre-clinical Drug/product Development

The studies done in cells, tissues and whole animals as well as the chemical and pharmaceutical investigations to obtain adequate Assurance that a new drug/product may safely be given to man in clinical studies.

PrevalenceThe total number of people in a population that are affected with a particular disease at a given time. This term is expressed as the rate of all cases (e.g., the prevalence of disease X is Y subjects per 100,000 population) at a given point or period of time.

Q

Quality Assurance

The procedures ad control systems in place during a clinical trial to ensure integrity of the data and protection of the subjects.

Quality Control

The checks performed to ensure that the quality control system is adhered to.

R

RandomizationEach subject has a known chance, usually equal chance, of being given each treatment, but the treatment to be given cannot be predicted. The idea of randomness accords with our intuitive ideas of chance and probability, but it is distinct from those of haphazard or arbitrary allocation.

Research(on medicines)

Numerous definitions of research are used both in the literature and among scientists. In the broadest sense, research in the pharmaceutical industry includes all processes of medicine discovery, preclinical and clinical evaluation, and technical development. In a more restricted sense, research concentrates on the preclinical discovery phase, where the basic characteristics of a new medicine are determined. Once a decision is reached to study the medicine in humans to evaluate its therapeutic potential, the compound passes from the research to the development phase.

Research and development

When research and development are used together, it refers to the broadest definition for research (see above). Some people use the term research colloquially to include most or all of the scientific and medical areas (discovery, evaluation, and development) covered by the single term research and development. Medicine development has several definitions and, in its broadest definition, is exactly the same as the broad definition of research.

RiskA measure of (1) the probability of occurrence of harm to human health or (2) the severity of harm that may occur. Such a measure includes the judgment of the acceptability of risk. Assessment of safety involves judgment, and there are numerous perspectives (e.g., subjects, physicians, company, regulatory authorities) used for judging it.

S

Safety A relative concept referring to the freedom from harm or damage resulting from adverse reactions or physical, psychological, or behavioral abnormalities that occur as a result of medicine or nonmedicine use. Safety is usually measured with one or more of the following: physical examination (e.g., vital signs, neurological, opthalmological, general physical), laboratory evaluations of biological samples (e.g., hematology, clinical chemistry, urinalysis), special tests and procedures (e.g., electrocardiogram, pulmonary function tests), psychiatric tests and evaluations, and determination of clinical signs and symptoms.

Satellite site

A secondary site at which subjects in a clinical trial are seen, usually by the same investigator who sees subjects at the primary site. A satellite site may be the same type of site (e.g., private office, hospital) or a different type from the primary site.

Serious Adverse Event (SAE)

An adverse event that leads to death, permanent disability or (prolongation of) hospital admission. These events are of obvious importance to authorities and fellow researchers working on the same drug/product and have to be reported to the local and international authorities with the greatest possible urgency. The details of the reporting are given in the study protocol.

Serious adverse reaction

Multiple definitions are possible and no single one is correct in all situations. In general usage referring to subjects in clinical trials, a serious adverse reaction may be (1) any bad adverse reaction that is observed, (2) any bad adverse reaction that one does not expect to observe, (3) any bad adverse reaction that one does not expect to observe and is not in the label, or (4) any bad adverse reaction that has not been reported with standard therapy. Definitions may also be based on the degree to which an adverse reaction compromises a subjects function or requires treatment.

A common used definition is an adverse event that leads to death, permanent disability or (prolongation of) hospital admission. The details of reporting these events are often given in the study protocol.

Side effect

Any effect other than the primary intended effect(s) resulting from medicine or non-medicine treatment or intervention. Side effects may be negative (i.e., an adverse reaction), neutral, or positive (i.e., a beneficial effect) for the subject. This term, therefore, includes all adverse reactions plus other effects of treatment. See definition of adverse reaction.

Single blind

The subject is unaware of which treatment is being received, but the investigator has this information. In unusual cases, the investigator and not the subject may be kept blind to the identity of the treatment.

SiteThis refers to the place where a clinical trial is conducted. A physician who has offices and sees subjects in three separate locations is viewed as having one site. A physician who is on the staff of four hospitals could be viewed as having one or four sites, depending on how similar or different the subject populations are and whether the data from these four locations will be pooled and considered a single site. For example, a single physician who enrolls groups of subjects at a university hospital, private clinic, community hospital, and Veterans Administration Hospital should generally be viewed as having four sites, since the subject populations would be expected to differ at each site. See satellite site.

SponsorAn organization (often a pharmaceutical company) funding a trial of a new drug/product or other intervention for registration purposes.

Standard Operating Procedure (SOP)

A detailed description of a certain activity or organizing principle in a clinical trial. Such procedures must be adhered to when performing a trial under the Good Clinical Practice standards.

StatisticalThis term relates to the probability that an event or difference significanceoccurred by chance alone. Thus, it is a measure of whether a difference is likely to be real, but it does not indicate whether the difference is small or large, important or trivial. The level of statistical significance depends on the number of subjects studied or observations made, as well as that magnitude of difference observed.

Study Protocol

The document describing the rationale, the subject population, the drugs/product to be used and the full time schedule of a clinical study as well as the endpoints to be evaluated. The study protocol for independent evaluation.

Surrogate endpoint

A biomarker that has been extensively studied to be sufficiently confident that it can replace a clinical endpoint for registration purposes.

T

Therapeutic window

This term is applied to the difference between the minimum and maximum doses that may be given subjects to obtain an adequate clinical response and avoid intolerable toxic effects. The greater the value calculated for the therapeutic window, the greater a medicines margin of safety. Synonyms are therapeutic ratio and therapeutic index.

V

VolunteerA normal individual who participates in a clinical trial for reasons other than medical need and who does not receive any direct medical benefit from participating in the trial.

DATA

EXCEL

SYBASE

INFORMIX

ORACLE

DBase

SPSS

DB2

102Prepared by Ganesh Ch,i-Solutions,Hyderabad,09391297574

SAS Training

6

Multi-Engine Architecture

Design of the SAS System

DATA

EXCEL

SYBASE

INFORMIX

ORACLE

dBase

Rdb

DB2

SAS Training

8

SAS applications are used in

Financial Services Banking Insurance Retail Manufacturing Media Education Communications Government Hospitality & Entertainment SAS Solutions for Small to Medium Businesses Life Sciences Health Insurance Automotive Energy & Utilities

SAS Training

1

SAS System Functionality

Access

Present

Manage

Analyze

Data

User Interfaces

App Development Tools

DataBaseRaw Data

Data Entry and EditingRetrieval Format

ReportGraphics

StatisticsForecast

SAS Training

2

Multi-Engine Architecture

Design of the SAS System

DATA

EXCEL

SYBASE

INFORMIX

ORACLE

dBase

Rdb

DB2


Recommended