ATTACH YOUR SAS CODE WITH YOUR ANSWERS.

Size: px
Start display at page:

Download "ATTACH YOUR SAS CODE WITH YOUR ANSWERS."

Transcription

1 BSTA 6652 Survival Analysis Winter, 2017 Problem Set 5 Reading: Klein: Chapter 12; SAS textbook: Chapter 4 ATTACH YOUR SAS CODE WITH YOUR ANSWERS. The data in BMTH.txt was collected on 43 bone marrow transplant patients at the Ohio State University Bone Marrow Transplant Unit. All patients had either Hodgkin s disease (HOD) or non-hodgkin s lymphoma (NHL) and were given either an Allogeneic (Allo) transplant from an HLA match sibling donor or an Autogeneic (Auto) transplant. Also included are two possible explanatory variables, Karnofsky score at transplant and the waiting time in months from diagnosis to transplant. Of interest is to study the difference in the leukemia-free survival rate between patients given an Allo or Auto transplant, adjusting for the patient s disease state (HOD or NHL) and other covariates. The variables in this data set are as follows: GRAFT Disease Time Status Score Wait Transplant type (1=Allo, 2=Auto) Disease state (1=NHL, 2=HOD) Survival time in days Status of patient (0 =alive, 1 = dead or relapse) Karnofsky score at transplant Waiting time in months from diagnosis to transplant The data set BMTH.txt is posted online. (a) Create a SAS dataset including all these variables and a new variable for the combination of GRAFT and Disease. Write your SAS code here. data transplant; input graft disease time status score wait; if graft = 1 and disease = 1 then type = 1; if graft = 2 and disease = 1 then type = 2; if graft = 1 and disease = 2 then type = 3; if graft = 2 and disease = 2 then type = 4; cards; ; (b) Fit the Accelerated Failure Time (AFT) model including all covariates under the assumption of Lognormal survival times. Write the fitted AFT model and your SAS code.

2 /* (b): lognormal AFT model with all covariates */ model time*status(0) = score wait type /dist=lognormal; Fit Statistics -2 Log Likelihood AIC (smaller is better) AICC (smaller is better) BIC (smaller is better) Type III Analysis of Effects Effect Wald DF Chi-Square Pr > ChiSq score <.0001 wait type The LIFEREG Procedure The fitted model is Analysis of Maximum Likelihood Parameter Estimates Standard 95% Confidence Chi- Parameter DF Estimate Error Limits Square Pr > ChiSq Intercept score <.0001 wait type type type type Scale log( time) = Score Wait Allo * NHL Auto * NHL Allo * HOD w where Allo, Auto, NHL, HOD are indicator functions of Allo, Auto, NHL, HOD, separately; w follows N(0,1). (c) Fit the Accelerated Failure Time (AFT) model including all covariates under the assumption of Log-logistic survival times. Write the fitted AFT model and your SAS code. /* (c): loglogistic AFT model with all covariates */ model time*status(0) = score wait type /dist=llogistic;

3 Fit Statistics -2 Log Likelihood AIC (smaller is better) AICC (smaller is better) BIC (smaller is better) Algorithm converged. Type III Analysis of Effects Effect Wald DF Chi-Square Pr > ChiSq score <.0001 wait type The LIFEREG Procedure Analysis of Maximum Likelihood Parameter Estimates Standard 95% Confidence Chi- Parameter DF Estimate Error Limits Square Pr > ChiSq Intercept score <.0001 wait type type type type Scale The fitted model is log( time) = Score Wait Allo * NHL Auto * NHL Allo * HOD w where Allo, Auto, NHL, HOD are indicator functions of Allo, Auto, NHL, HOD, separately; and w follows logistic(0,1). (d) Fit the Accelerated Failure Time (AFT) model including all covariates under the assumption of Weibull survival times. Write the fitted AFT model and SAS code. /* (d): Weibull AFT model with all covariates */

4 Fit Statistics -2 Log Likelihood AIC (smaller is better) AICC (smaller is better) BIC (smaller is better) Algorithm converged. Type III Analysis of Effects Effect Wald DF Chi-Square Pr > ChiSq score <.0001 wait type The LIFEREG Procedure Analysis of Maximum Likelihood Parameter Estimates Standard 95% Confidence Chi- Parameter DF Estimate Error Limits Square Pr > ChiSq Intercept score <.0001 wait type type type type Scale Weibull Shape The fitted model is log( time) = Score +.019Wait Allo * NHL Auto * NHL Allo * HOD w where Allo, Auto, NHL, HOD are indicator functions of Allo, Auto, NHL, HOD, separately; and w follows extremevalue(0,1). (a) Which model is the best initial model among the three models in parts (a), (b), and (c)? Defend your answer. Conduct a model selection (at 5% level) and fit the final model. i. Write the fitted final model. ii. Interpret the final model: how each variable is associated with the survivorship.

5 Based on the AIC, Weibull AFT model is the best. According to the SAS output of Type III Analysis of Effects in part (d), all variables are significant at 10% level, so the reduced model is the same as the full model in part (d). Interpretation: The effect of Karnofsky score at transplant: When controlling other variables, as the score increases by 1, the risk of death or relapse is exp(-.0572/1.0644)=.9477 times smaller. The larger the score is, the smaller the risk is. The effect of waiting time: When controlling other variables, as a patient waits for one more month, the risk of death or relapse is exp(-.019/1.0644)=.9823 times smaller. The longer the waiting is, the smaller the risk is. The effect of type: When controlling other variables, compared to the Auto-HOD patients, the risk of death or relapse for the Allo-NHL patients is (=exp( /1.0644)) times smaller; the risk for the Auto-NHL patients is times smaller; and the risk for the Allo-HOD patients is 6.86 times larger. Overall, the ranks of risk associated with these types are: Allo-HOD > Auto-HOD > Auto-NHL > Allo-NHL. (b) Check the goodness of fit of the reduced model by i. Probability plot and residual analysis ii. Compare it to the Generalized Gamma AFT model Does the reduced model fit the data adequately? i) Residual analysis ii) probplot; output out=a cdf=f; data b; set a; e=-log(1-f); proc lifetest data=b plots=(ls) notable graphics; time e*status(0); symbol1 v=none;

6 Figure 1 From Figure 1, the points do not follow the line more or less but most of them are within the 95% confidence band Negative Log SDF e Figure 2 The residual plot does not show a straight line from the origin with slope 1, so the model fits the data poorly. iii) Compared to the Generalized Gamma (GG) AFT model: model time*status(0) = score wait type /dist=gamma; Fit Statistics

7 -2 Log Likelihood AIC (smaller is better) AICC (smaller is better) BIC (smaller is better) Do L-R test: Ho: Weibull AFT model vs. Ha: GG AFT model. The test statistic is -2loglikelihood(Weibull AFT model) - (-2loglikelihood(GG AFT model) = = larger than 3.841, the critical value of Chi-square distribution with 1 d.f. at 5%. Therefore, the Weibull AFT model fits significantly worse than GG AFT model. Overall, the Weibull AFT model does not fit the data. SAS Code: /* (b): lognormal AFT model with all covariates */ model time*status(0) = score wait type /dist=lognormal; /* (c): loglogistic AFT model with all covariates */ model time*status(0) = score wait type /dist=llogistic; /* (d): Weibull AFT model with all covariates */ /* (e)(f) residual analysis and compared to GG AFT model */ probplot; output out=a cdf=f; data b; set a; e=-log(1-f); proc lifetest data=b plots=(ls) notable graphics; time e*status(0); symbol1 v=none; model time*status(0) = score wait type /dist=gamma;

Today: Binomial response variable with an explanatory variable on an ordinal (rank) scale.

Today: Binomial response variable with an explanatory variable on an ordinal (rank) scale. Model Based Statistics in Biology. Part V. The Generalized Linear Model. Single Explanatory Variable on an Ordinal Scale ReCap. Part I (Chapters 1,2,3,4), Part II (Ch 5, 6, 7) ReCap Part III (Ch 9, 10,

More information

1. Objective: analyzing CD4 counts data using GEE marginal model and random effects model. Demonstrate the analysis using SAS and STATA.

1. Objective: analyzing CD4 counts data using GEE marginal model and random effects model. Demonstrate the analysis using SAS and STATA. LDA lab Feb, 6 th, 2002 1 1. Objective: analyzing CD4 counts data using GEE marginal model and random effects model. Demonstrate the analysis using SAS and STATA. 2. Scientific question: estimate the average

More information

By: Mei-Jie Zhang, Ph.D.

By: Mei-Jie Zhang, Ph.D. Propensity Scores By: Mei-Jie Zhang, Ph.D. Medical College of Wisconsin, Division of Biostatistics Friday, March 29, 2013 12:00-1:00 pm The Medical College of Wisconsin is accredited by the Accreditation

More information

Midterm Exam ANSWERS Categorical Data Analysis, CHL5407H

Midterm Exam ANSWERS Categorical Data Analysis, CHL5407H Midterm Exam ANSWERS Categorical Data Analysis, CHL5407H 1. Data from a survey of women s attitudes towards mammography are provided in Table 1. Women were classified by their experience with mammography

More information

Answer to exercise: Growth of guinea pigs

Answer to exercise: Growth of guinea pigs Answer to exercise: Growth of guinea pigs The effect of a vitamin E diet on the growth of guinea pigs is investigated in the following way: In the beginning of week 1, 10 animals received a growth inhibitor.

More information

Professor Rose-Helleknat's PCR Data for Breast Cancer Study

Professor Rose-Helleknat's PCR Data for Breast Cancer Study Professor Rose-Helleknat's PCR Data for Breast Cancer Study Summary statistics for Crossing Point, cp = - log 2 (RNA) Obs Treatment Outcome n Mean Variance St_Deviation St_Error 1 Placebo Cancer 7 21.4686

More information

LOGO. Statistical Modeling of Breast and Lung Cancers. Cancer Research Team. Department of Mathematics and Statistics University of South Florida

LOGO. Statistical Modeling of Breast and Lung Cancers. Cancer Research Team. Department of Mathematics and Statistics University of South Florida LOGO Statistical Modeling of Breast and Lung Cancers Cancer Research Team Department of Mathematics and Statistics University of South Florida 1 LOGO 2 Outline Nonparametric and parametric analysis of

More information

ROC Curves. I wrote, from SAS, the relevant data to a plain text file which I imported to SPSS. The ROC analysis was conducted this way:

ROC Curves. I wrote, from SAS, the relevant data to a plain text file which I imported to SPSS. The ROC analysis was conducted this way: ROC Curves We developed a method to make diagnoses of anxiety using criteria provided by Phillip. Would it also be possible to make such diagnoses based on a much more simple scheme, a simple cutoff point

More information

Constructing a mixed model using the AIC

Constructing a mixed model using the AIC Constructing a mixed model using the AIC The Data: The Citalopram study (PI Dr. Zisook) Does Citalopram reduce the depression in schizophrenic patients with subsyndromal depression Two Groups: Citalopram

More information

Comparing outcome between Belgian haematopoietic stem cell transplant centres

Comparing outcome between Belgian haematopoietic stem cell transplant centres ENCR2016, 2014/06/10 1 Comparing outcome between Belgian haematopoietic stem cell transplant centres Gilles Macq 1, Evelien Vaes 1, Geert Silversmit 1, Marijke Vanspauwen 1, Liesbet Van Eycken 1 & Yves

More information

SAS Data Setup: SPSS Data Setup: STATA Data Setup: Hoffman ICPSR Example 5 page 1

SAS Data Setup: SPSS Data Setup: STATA Data Setup: Hoffman ICPSR Example 5 page 1 Hoffman ICPSR Example 5 page 1 Example 5: Examining BP and WP Effects of Negative Mood Predicting Next-Morning Glucose (complete data, syntax, and output available for SAS, SPSS, and STATA electronically)

More information

Applied Medical. Statistics Using SAS. Geoff Der. Brian S. Everitt. CRC Press. Taylor Si Francis Croup. Taylor & Francis Croup, an informa business

Applied Medical. Statistics Using SAS. Geoff Der. Brian S. Everitt. CRC Press. Taylor Si Francis Croup. Taylor & Francis Croup, an informa business Applied Medical Statistics Using SAS Geoff Der Brian S. Everitt CRC Press Taylor Si Francis Croup Boca Raton London New York CRC Press is an imprint of the Taylor & Francis Croup, an informa business A

More information

Application of Cox Regression in Modeling Survival Rate of Drug Abuse

Application of Cox Regression in Modeling Survival Rate of Drug Abuse American Journal of Theoretical and Applied Statistics 2018; 7(1): 1-7 http://www.sciencepublishinggroup.com/j/ajtas doi: 10.11648/j.ajtas.20180701.11 ISSN: 2326-8999 (Print); ISSN: 2326-9006 (Online)

More information

Bone Marrow Transplantation in Myelodysplastic Syndromes. An overview for the Myelodysplasia Support Group of Ottawa

Bone Marrow Transplantation in Myelodysplastic Syndromes. An overview for the Myelodysplasia Support Group of Ottawa Bone Marrow Transplantation in Myelodysplastic Syndromes An overview for the Myelodysplasia Support Group of Ottawa Objectives Provide brief review of marrow failure Re emphasize the importance of predictions

More information

Week 8 Hour 1: More on polynomial fits. The AIC. Hour 2: Dummy Variables what are they? An NHL Example. Hour 3: Interactions. The stepwise method.

Week 8 Hour 1: More on polynomial fits. The AIC. Hour 2: Dummy Variables what are they? An NHL Example. Hour 3: Interactions. The stepwise method. Week 8 Hour 1: More on polynomial fits. The AIC Hour 2: Dummy Variables what are they? An NHL Example Hour 3: Interactions. The stepwise method. Stat 302 Notes. Week 8, Hour 1, Page 1 / 34 Human growth

More information

Introduction to Survival Analysis Procedures (Chapter)

Introduction to Survival Analysis Procedures (Chapter) SAS/STAT 9.3 User s Guide Introduction to Survival Analysis Procedures (Chapter) SAS Documentation This document is an individual chapter from SAS/STAT 9.3 User s Guide. The correct bibliographic citation

More information

Samples Available for Recipient Only. Samples Available for Recipient and Donor

Samples Available for Recipient Only. Samples Available for Recipient and Donor Unrelated HCT Research Sample Inventory - Summary for First Allogeneic Transplants in CRF and TED with biospecimens available through the CIBMTR Repository stratified by availability of paired samples,

More information

Haploidentical Transplants for Lymphoma. Andrea Bacigalupo Universita Cattolica Policlinico Gemelli Roma - Italy

Haploidentical Transplants for Lymphoma. Andrea Bacigalupo Universita Cattolica Policlinico Gemelli Roma - Italy Haploidentical Transplants for Lymphoma Andrea Bacigalupo Universita Cattolica Policlinico Gemelli Roma - Italy HODGKIN NON HODGKIN Non Myelo Ablative Regimen Luznik L et al BBMT 2008 Comparison of Outcomes

More information

Samples Available for Recipient Only. Samples Available for Recipient and Donor

Samples Available for Recipient Only. Samples Available for Recipient and Donor Unrelated HCT Research Sample Inventory - Summary for First Allogeneic Transplants in CRF and TED with biospecimens available through the CIBMTR Repository stratified by availability of paired samples,

More information

Samples Available for Recipient and Donor

Samples Available for Recipient and Donor Unrelated HCT Research Sample Inventory - Summary for First Allogeneic Transplants in CRF and TED with biospecimens available through the CIBMTR Repository stratified by availability of paired samples,

More information

STATISTICAL METHODS FOR DIAGNOSTIC TESTING: AN ILLUSTRATION USING A NEW METHOD FOR CANCER DETECTION XIN SUN. PhD, Kansas State University, 2012

STATISTICAL METHODS FOR DIAGNOSTIC TESTING: AN ILLUSTRATION USING A NEW METHOD FOR CANCER DETECTION XIN SUN. PhD, Kansas State University, 2012 STATISTICAL METHODS FOR DIAGNOSTIC TESTING: AN ILLUSTRATION USING A NEW METHOD FOR CANCER DETECTION by XIN SUN PhD, Kansas State University, 2012 A THESIS Submitted in partial fulfillment of the requirements

More information

CLASSICAL AND. MODERN REGRESSION WITH APPLICATIONS

CLASSICAL AND. MODERN REGRESSION WITH APPLICATIONS - CLASSICAL AND. MODERN REGRESSION WITH APPLICATIONS SECOND EDITION Raymond H. Myers Virginia Polytechnic Institute and State university 1 ~l~~l~l~~~~~~~l!~ ~~~~~l~/ll~~ Donated by Duxbury o Thomson Learning,,

More information

Analysis of variance and regression. Other types of regression models

Analysis of variance and regression. Other types of regression models Analysis of variance and regression ther types of regression models ther types of regression models ounts: Poisson models rdinal data: Proportional odds models Survival analysis (censored, time-to-event

More information

isc ove ring i Statistics sing SPSS

isc ove ring i Statistics sing SPSS isc ove ring i Statistics sing SPSS S E C O N D! E D I T I O N (and sex, drugs and rock V roll) A N D Y F I E L D Publications London o Thousand Oaks New Delhi CONTENTS Preface How To Use This Book Acknowledgements

More information

Daniel Boduszek University of Huddersfield

Daniel Boduszek University of Huddersfield Daniel Boduszek University of Huddersfield d.boduszek@hud.ac.uk Introduction to Multinominal Logistic Regression SPSS procedure of MLR Example based on prison data Interpretation of SPSS output Presenting

More information

An Introduction to Bone Marrow Transplant

An Introduction to Bone Marrow Transplant Introduction to Blood Cancers An Introduction to Bone Marrow Transplant Rushang Patel, MD, PhD, FACP Florida Hospital Medical Group S My RBC Plt Gran Polycythemia Vera Essential Thrombocythemia AML, CML,

More information

An Overview of Blood and Marrow Transplantation

An Overview of Blood and Marrow Transplantation An Overview of Blood and Marrow Transplantation October 24, 2009 Stephen Couban Department of Medicine Dalhousie University Objectives What are the types of blood and marrow transplantation? Who may benefit

More information

STAT362 Homework Assignment 5

STAT362 Homework Assignment 5 STAT362 Homework Assignment 5 Sharon O Boyle Problem 1, Problem 3.6, p. 117 SAS Program * Sharon O'Boyle; * Stat 362; * Homework Assignment 5; * Problem 3.6, p. 117; * Program to compute Odds Ratio and

More information

Allogeneic SCT for. 1st TKI. Vienna Austria. Dr. Eduardo Olavarría Complejo Hospitalario de Navarra

Allogeneic SCT for. 1st TKI. Vienna Austria. Dr. Eduardo Olavarría Complejo Hospitalario de Navarra The International Congress on Controversies in Stem Cell Transplantation and Cellular Therapies (COSTEM) Berlin, Germany September 8-11, 2011 Vienna Austria Allogeneic SCT for CML Allogeneic after failure

More information

Linear Regression in SAS

Linear Regression in SAS 1 Suppose we wish to examine factors that predict patient s hemoglobin levels. Simulated data for six patients is used throughout this tutorial. data hgb_data; input id age race $ bmi hgb; cards; 21 25

More information

Appendix 6: Indications for adult allogeneic bone marrow transplant in New Zealand

Appendix 6: Indications for adult allogeneic bone marrow transplant in New Zealand Appendix 6: Indications for adult allogeneic bone marrow transplant in New Zealand This list provides indications for the majority of adult BMTs that are performed in New Zealand. A small number of BMTs

More information

Original Article INTRODUCTION. Alireza Abadi, Farzaneh Amanpour 1, Chris Bajdik 2, Parvin Yavari 3

Original Article INTRODUCTION.  Alireza Abadi, Farzaneh Amanpour 1, Chris Bajdik 2, Parvin Yavari 3 www.ijpm.ir Breast Cancer Survival Analysis: Applying the Generalized Gamma Distribution under Different Conditions of the Proportional Hazards and Accelerated Failure Time Assumptions Alireza Abadi, Farzaneh

More information

CONSIDERATIONS IN DESIGNING ACUTE GVHD PREVENTION TRIALS: Patient Selection, Concomitant Treatments, Selecting and Assessing Endpoints

CONSIDERATIONS IN DESIGNING ACUTE GVHD PREVENTION TRIALS: Patient Selection, Concomitant Treatments, Selecting and Assessing Endpoints CONSIDERATIONS IN DESIGNING ACUTE GVHD PREVENTION TRIALS: Patient Selection, Concomitant Treatments, Selecting and Assessing Endpoints CENTER FOR INTERNATIONAL BLOOD AND MARROW TRANSPLANT RESEARCH Potential

More information

Poisson regression. Dae-Jin Lee Basque Center for Applied Mathematics.

Poisson regression. Dae-Jin Lee Basque Center for Applied Mathematics. Dae-Jin Lee dlee@bcamath.org Basque Center for Applied Mathematics http://idaejin.github.io/bcam-courses/ D.-J. Lee (BCAM) Intro to GLM s with R GitHub: idaejin 1/40 Modeling count data Introduction Response

More information

Vessel wall differences between middle cerebral artery and basilar artery. plaques on magnetic resonance imaging

Vessel wall differences between middle cerebral artery and basilar artery. plaques on magnetic resonance imaging Vessel wall differences between middle cerebral artery and basilar artery plaques on magnetic resonance imaging Peng-Peng Niu, MD 1 ; Yao Yu, MD 1 ; Hong-Wei Zhou, MD 2 ; Yang Liu, MD 2 ; Yun Luo, MD 1

More information

Benchmark Dose Modeling Cancer Models. Allen Davis, MSPH Jeff Gift, Ph.D. Jay Zhao, Ph.D. National Center for Environmental Assessment, U.S.

Benchmark Dose Modeling Cancer Models. Allen Davis, MSPH Jeff Gift, Ph.D. Jay Zhao, Ph.D. National Center for Environmental Assessment, U.S. Benchmark Dose Modeling Cancer Models Allen Davis, MSPH Jeff Gift, Ph.D. Jay Zhao, Ph.D. National Center for Environmental Assessment, U.S. EPA Disclaimer The views expressed in this presentation are those

More information

CRITERIA FOR USE. A GRAPHICAL EXPLANATION OF BI-VARIATE (2 VARIABLE) REGRESSION ANALYSISSys

CRITERIA FOR USE. A GRAPHICAL EXPLANATION OF BI-VARIATE (2 VARIABLE) REGRESSION ANALYSISSys Multiple Regression Analysis 1 CRITERIA FOR USE Multiple regression analysis is used to test the effects of n independent (predictor) variables on a single dependent (criterion) variable. Regression tests

More information

Data Analysis Using Regression and Multilevel/Hierarchical Models

Data Analysis Using Regression and Multilevel/Hierarchical Models Data Analysis Using Regression and Multilevel/Hierarchical Models ANDREW GELMAN Columbia University JENNIFER HILL Columbia University CAMBRIDGE UNIVERSITY PRESS Contents List of examples V a 9 e xv " Preface

More information

Lead team presentation Brentuximab vedotin for relapsed or refractory systemic anaplastic large cell lymphoma (STA)

Lead team presentation Brentuximab vedotin for relapsed or refractory systemic anaplastic large cell lymphoma (STA) Lead team presentation Brentuximab vedotin for relapsed or refractory systemic anaplastic large cell lymphoma (STA) 1 st Appraisal Committee meeting Cost effectiveness Committee C Lead team: Iain Miller,

More information

5/9/2018. Bone marrow failure diseases (aplastic anemia) can be cured by providing a source of new marrow

5/9/2018. Bone marrow failure diseases (aplastic anemia) can be cured by providing a source of new marrow 5/9/2018 or Stem Cell Harvest Where we are now, and What s Coming AA MDS International Foundation Indianapolis IN Luke Akard MD May 19, 2018 Infusion Transplant Conditioning Treatment 2-7 days STEM CELL

More information

3.1 Clinical safety of chimeric or humanized anti-cd25 (ch/anti-cd25)

3.1 Clinical safety of chimeric or humanized anti-cd25 (ch/anti-cd25) 3 Results 3.1 Clinical safety of chimeric or humanized anti-cd25 (ch/anti-cd25) Five infusions of monoclonal IL-2 receptor antibody (anti-cd25) were planned according to protocol between day 0 and day

More information

Notes for laboratory session 2

Notes for laboratory session 2 Notes for laboratory session 2 Preliminaries Consider the ordinary least-squares (OLS) regression of alcohol (alcohol) and plasma retinol (retplasm). We do this with STATA as follows:. reg retplasm alcohol

More information

Author Appendix Contents. Appendix A. Model fitting results for Autism and ADHD by 8 years old

Author Appendix Contents. Appendix A. Model fitting results for Autism and ADHD by 8 years old 1 Author Appendix Contents Appendix A. Model fitting results for Autism and ADHD by 8 years old Appendix B. Results for models controlling for paternal age at first childbearing while estimating associations

More information

MUD SCT for Paediatric AML?

MUD SCT for Paediatric AML? 7 th South African Symposium on Haematopoietic Stem Cell Transplantation MUD SCT for Paediatric AML? Alan Davidson Haematology / Oncology Service Red Cross Children s Hospital THE SCENARIO A 10 year old

More information

Between-Person and Within-Person Effects of Negative Mood Predicting Next-Morning Glucose COMPLETED VERSION

Between-Person and Within-Person Effects of Negative Mood Predicting Next-Morning Glucose COMPLETED VERSION Psyc 944 Example 9b page 1 Between-Person and Within-Person Effects of Negative Mood Predicting Next-Morning Glucose COMPLETED VERSION These data were simulated loosely based on real data reported in the

More information

Survival analysis beyond the Cox-model

Survival analysis beyond the Cox-model Survival analysis beyond the Cox-model Hans C. van Houwelingen Department of Medical Statistics Leiden University Medical Center The Netherlands jcvanhouwelingen@lumc.nl http://www.medstat.medfac.leidenuniv.nl/ms/hh/

More information

EBMT2008_22_44:EBMT :29 Pagina 454 CHAPTER 30. HSCT for Hodgkin s lymphoma in adults. A. Sureda

EBMT2008_22_44:EBMT :29 Pagina 454 CHAPTER 30. HSCT for Hodgkin s lymphoma in adults. A. Sureda EBMT2008_22_44:EBMT2008 6-11-2008 9:29 Pagina 454 * CHAPTER 30 HSCT for Hodgkin s lymphoma in adults A. Sureda EBMT2008_22_44:EBMT2008 6-11-2008 9:29 Pagina 455 CHAPTER 30 HL in adults 1. Introduction

More information

Stepwise method Modern Model Selection Methods Quantile-Quantile plot and tests for normality

Stepwise method Modern Model Selection Methods Quantile-Quantile plot and tests for normality Week 9 Hour 3 Stepwise method Modern Model Selection Methods Quantile-Quantile plot and tests for normality Stat 302 Notes. Week 9, Hour 3, Page 1 / 39 Stepwise Now that we've introduced interactions,

More information

Is there a Role for Upfront Stem Cell Transplantation in Peripheral T-Cell Lymphoma: YES!

Is there a Role for Upfront Stem Cell Transplantation in Peripheral T-Cell Lymphoma: YES! Is there a Role for Upfront Stem ell Transplantation in Peripheral T-ell Lymphoma: YES! Norbert Schmitz Dep. Hematology, Oncology and Stem ell Transplantation AK St. Georg Hamburg, Germany OS in the common

More information

Between-Person and Within-Person Effects of Negative Mood Predicting Next-Morning Glucose

Between-Person and Within-Person Effects of Negative Mood Predicting Next-Morning Glucose CLP 945 Example 4b page 1 Between-Person and Within-Person Effects of Negative Mood Predicting Next-Morning Glucose These data were simulated loosely based on real data reported in the citation below.

More information

Ashwini S Erande MPH, Shaista Malik MD University of California Irvine, Orange, California

Ashwini S Erande MPH, Shaista Malik MD University of California Irvine, Orange, California The Association of Morbid Obesity with Mortality and Coronary Revascularization among Patients with Acute Myocardial Infarction using ARRAYS, PROC FREQ and PROC LOGISTIC ABSTRACT Ashwini S Erande MPH,

More information

Effect of Source and Level of Protein on Weight Gain of Rats

Effect of Source and Level of Protein on Weight Gain of Rats Effect of Source and Level of Protein on of Rats 1 * two factor analysis of variance with interaction; 2 option ls=120 ps=75 nocenter nodate; 3 4 title Effect of Source of Protein and Level of Protein

More information

4Stat Wk 10: Regression

4Stat Wk 10: Regression 4Stat 342 - Wk 10: Regression Loading data with datalines Regression (Proc glm) - with interactions - with polynomial terms - with categorical variables (Proc glmselect) - with model selection (this is

More information

Chapter 6 Measures of Bivariate Association 1

Chapter 6 Measures of Bivariate Association 1 Chapter 6 Measures of Bivariate Association 1 A bivariate relationship involves relationship between two variables. Examples: Relationship between GPA and SAT score Relationship between height and weight

More information

Chapter 13 Estimating the Modified Odds Ratio

Chapter 13 Estimating the Modified Odds Ratio Chapter 13 Estimating the Modified Odds Ratio Modified odds ratio vis-à-vis modified mean difference To a large extent, this chapter replicates the content of Chapter 10 (Estimating the modified mean difference),

More information

Stat 13, Lab 11-12, Correlation and Regression Analysis

Stat 13, Lab 11-12, Correlation and Regression Analysis Stat 13, Lab 11-12, Correlation and Regression Analysis Part I: Before Class Objective: This lab will give you practice exploring the relationship between two variables by using correlation, linear regression

More information

Med A form: discussion forum

Med A form: discussion forum Copyright Statement As a registered E-materials Service user of the EBMT Annual Meeting in Marseille March 26-29th 2017, you have been granted permission to access a copy of the presentation in the following

More information

Debate: HLA matching matters in children

Debate: HLA matching matters in children Annual Congress 2018 14 th to 16 th March, the Brighton Centre, Brighton Debate: HLA matching matters in children Presenting the case for - Dr Jon Jin (JJ) Kim, Nottingham Richard & Ronald Herrick 23 Dec

More information

4. THE CUMULATIVE (PROPORTIONAL) ODDS MODEL FOR ORDINAL OUTCOMES. Overview of the Cumulative Odds Model

4. THE CUMULATIVE (PROPORTIONAL) ODDS MODEL FOR ORDINAL OUTCOMES. Overview of the Cumulative Odds Model 26 27 The results for the second model, shown in Column 3 of Table 3.2, using SAS with the ascending option, simply model the probability that a child has a response in proficiency category 0 or, rather

More information

a resource for physicians Recommended Referral Timing for Stem Cell Transplant Evaluation

a resource for physicians Recommended Referral Timing for Stem Cell Transplant Evaluation a resource for physicians Recommended Referral Timing for Stem Cell Transplant Evaluation This resource has been developed to help guide you regarding the appropriate timing and conditions for a referral

More information

Today Retrospective analysis of binomial response across two levels of a single factor.

Today Retrospective analysis of binomial response across two levels of a single factor. Model Based Statistics in Biology. Part V. The Generalized Linear Model. Chapter 18.3 Single Factor. Retrospective Analysis ReCap. Part I (Chapters 1,2,3,4), Part II (Ch 5, 6, 7) ReCap Part III (Ch 9,

More information

Bayesian Logistic Regression Modelling via Markov Chain Monte Carlo Algorithm

Bayesian Logistic Regression Modelling via Markov Chain Monte Carlo Algorithm Journal of Social and Development Sciences Vol. 4, No. 4, pp. 93-97, Apr 203 (ISSN 222-52) Bayesian Logistic Regression Modelling via Markov Chain Monte Carlo Algorithm Henry De-Graft Acquah University

More information

Modeling Binary outcome

Modeling Binary outcome Statistics April 4, 2013 Debdeep Pati Modeling Binary outcome Test of hypothesis 1. Is the effect observed statistically significant or attributable to chance? 2. Three types of hypothesis: a) tests of

More information

- Transplantation: removing an organ from donor and gives it to a recipient. - Graft: transplanted organ.

- Transplantation: removing an organ from donor and gives it to a recipient. - Graft: transplanted organ. Immunology Lecture num. (21) Transplantation - Transplantation: removing an organ from donor and gives it to a recipient. - Graft: transplanted organ. Types of Graft (4 types): Auto Graft - From a person

More information

Statistical Models for Censored Point Processes with Cure Rates

Statistical Models for Censored Point Processes with Cure Rates Statistical Models for Censored Point Processes with Cure Rates Jennifer Rogers MSD Seminar 2 November 2011 Outline Background and MESS Epilepsy MESS Exploratory Analysis Summary Statistics and Kaplan-Meier

More information

Simple Linear Regression the model, estimation and testing

Simple Linear Regression the model, estimation and testing Simple Linear Regression the model, estimation and testing Lecture No. 05 Example 1 A production manager has compared the dexterity test scores of five assembly-line employees with their hourly productivity.

More information

A.M.W. van Marion. H.M. Lokhorst. N.W.C.J. van de Donk. J.G. van den Tweel. Histopathology 2002, 41 (suppl 2):77-92 (modified)

A.M.W. van Marion. H.M. Lokhorst. N.W.C.J. van de Donk. J.G. van den Tweel. Histopathology 2002, 41 (suppl 2):77-92 (modified) chapter 4 The significance of monoclonal plasma cells in the bone marrow biopsies of patients with multiple myeloma following allogeneic or autologous stem cell transplantation A.M.W. van Marion H.M. Lokhorst

More information

The SAS SUBTYPE Macro

The SAS SUBTYPE Macro The SAS SUBTYPE Macro Aya Kuchiba, Molin Wang, and Donna Spiegelman April 8, 2014 Abstract The %SUBTYPE macro examines whether the effects of the exposure(s) vary by subtypes of a disease. It can be applied

More information

Hematopoietic stem cell mobilization and collection. Koen Theunissen Hematologie Jessa Ziekenhuis Hasselt Limburgs Oncologisch Centrum

Hematopoietic stem cell mobilization and collection. Koen Theunissen Hematologie Jessa Ziekenhuis Hasselt Limburgs Oncologisch Centrum Hematopoietic stem cell mobilization and collection Koen Theunissen Hematologie Jessa Ziekenhuis Hasselt Limburgs Oncologisch Centrum Transplants Transplant Activity in the U.S. 1980-2010 14,000 12,000

More information

Causes of Death. J. Douglas Rizzo, MD MS February, New11_1.ppt

Causes of Death. J. Douglas Rizzo, MD MS February, New11_1.ppt Causes of Death J. Douglas Rizzo, MD MS February, 2012 New11_1.ppt Overview Attribution of COD important for research purposes Frequently not correctly coded or completely reported Source of confusion

More information

LOGLINK Example #1. SUDAAN Statements and Results Illustrated. Input Data Set(s): EPIL.SAS7bdat ( Thall and Vail (1990)) Example.

LOGLINK Example #1. SUDAAN Statements and Results Illustrated. Input Data Set(s): EPIL.SAS7bdat ( Thall and Vail (1990)) Example. LOGLINK Example #1 SUDAAN Statements and Results Illustrated Log-linear regression modeling MODEL TEST SUBPOPN EFFECTS Input Data Set(s): EPIL.SAS7bdat ( Thall and Vail (1990)) Example Use the Epileptic

More information

The Association of Morbid Obesity with Mortality and Coronary Revascularization among Patients with Acute Myocardial Infarction

The Association of Morbid Obesity with Mortality and Coronary Revascularization among Patients with Acute Myocardial Infarction PharmaSUG 2014 - Paper HA06 The Association of Morbid Obesity with Mortality and Coronary Revascularization among Patients with Acute Myocardial Infarction ABSTRACT Ashwini S Erande MPH University Of California

More information

Logistic Regression and Bayesian Approaches in Modeling Acceptance of Male Circumcision in Pune, India

Logistic Regression and Bayesian Approaches in Modeling Acceptance of Male Circumcision in Pune, India 20th International Congress on Modelling and Simulation, Adelaide, Australia, 1 6 December 2013 www.mssanz.org.au/modsim2013 Logistic Regression and Bayesian Approaches in Modeling Acceptance of Male Circumcision

More information

4nd Patient and Family Day

4nd Patient and Family Day 4nd Patient and Family Day EBMT Slide template Barcelona 7 February 2008 EBMT 2010 Vienna, Austria ; www.ebmt.org History of Stem Cell Transplantation Appelbaum et al, NEJM 2006 What is EBMT? Scientific,

More information

Self-assessment test of prerequisite knowledge for Biostatistics III in R

Self-assessment test of prerequisite knowledge for Biostatistics III in R Self-assessment test of prerequisite knowledge for Biostatistics III in R Mark Clements, Karolinska Institutet 2017-10-31 Participants in the course Biostatistics III are expected to have prerequisite

More information

Summary of Changes Page BMT CTN 1205 Protocol Amendment #4 (Version 5.0) Dated July 22, 2016

Summary of Changes Page BMT CTN 1205 Protocol Amendment #4 (Version 5.0) Dated July 22, 2016 Page 1 of 8 Date: July 22, 2016 Summary of Changes Page BMT CTN 1205 Protocol #4 Dated July 22, 2016 The following changes, and the rationale for the changes, were made to the attached protocol in this

More information

Methods for adjusting survival estimates in the presence of treatment crossover a simulation study

Methods for adjusting survival estimates in the presence of treatment crossover a simulation study Methods for adjusting survival estimates in the presence of treatment crossover a simulation study Nicholas Latimer, University of Sheffield Collaborators: Paul Lambert, Keith Abrams, Michael Crowther

More information

Assessing methods for dealing with treatment switching in clinical trials: A follow-up simulation study

Assessing methods for dealing with treatment switching in clinical trials: A follow-up simulation study Article Assessing methods for dealing with treatment switching in clinical trials: A follow-up simulation study Statistical Methods in Medical Research 2018, Vol. 27(3) 765 784! The Author(s) 2016 Reprints

More information

NORTH SOUTH UNIVERSITY TUTORIAL 2

NORTH SOUTH UNIVERSITY TUTORIAL 2 NORTH SOUTH UNIVERSITY TUTORIAL 2 AHMED HOSSAIN,PhD Data Management and Analysis AHMED HOSSAIN,PhD - Data Management and Analysis 1 Correlation Analysis INTRODUCTION In correlation analysis, we estimate

More information

Downloaded from jhs.mazums.ac.ir at 13: on Friday July 27th 2018 [ DOI: /acadpub.jhs ]

Downloaded from jhs.mazums.ac.ir at 13: on Friday July 27th 2018 [ DOI: /acadpub.jhs ] Iranian Journal of Health Sciences 2016; 4(2): 11-18 Original Article http://jhs.mazums.ac.ir Application of Weibull Accelerated Failure Time Model on the Disease-free Survival Rate of Breast Cancer Narges

More information

IAPT: Regression. Regression analyses

IAPT: Regression. Regression analyses Regression analyses IAPT: Regression Regression is the rather strange name given to a set of methods for predicting one variable from another. The data shown in Table 1 and come from a student project

More information

Sylwia Mizia, 1 Dorota Dera-Joachimiak, 1 Malgorzata Polak, 1 Katarzyna Koscinska, 1 Mariola Sedzimirska, 1 and Andrzej Lange 1, 2. 1.

Sylwia Mizia, 1 Dorota Dera-Joachimiak, 1 Malgorzata Polak, 1 Katarzyna Koscinska, 1 Mariola Sedzimirska, 1 and Andrzej Lange 1, 2. 1. Bone Marrow Research Volume 2012, Article ID 873695, 5 pages doi:10.1155/2012/873695 Clinical Study Both Optimal Matching and Procedure Duration Influence Survival of Patients after Unrelated Donor Hematopoietic

More information

UPDATE Autologous Stem Cell Transplantation for Lymphoma and Myeloma

UPDATE Autologous Stem Cell Transplantation for Lymphoma and Myeloma UPDATE Autologous Stem Cell Transplantation for Lymphoma and Myeloma Supported by a grant from Supported by a grant from UPDATE Autologous Stem Cell Transplantation for Lymphoma and Myeloma Jonathan W.

More information

PARALLELISM AND THE LEGITIMACY GAP 1. Appendix A. Country Information

PARALLELISM AND THE LEGITIMACY GAP 1. Appendix A. Country Information PARALLELISM AND THE LEGITIMACY GAP 1 Appendix A Country Information PARALLELISM AND THE LEGITIMACY GAP 2 Table A.1 Sample size by country 2006 2008 2010 Austria 2405 2255 0 Belgium 1798 1760 1704 Bulgaria

More information

Carol Cantwell Blood Transfusion Laboratory Manager St Mary s Hospital, ICHNT

Carol Cantwell Blood Transfusion Laboratory Manager St Mary s Hospital, ICHNT Carol Cantwell Blood Transfusion Laboratory Manager St Mary s Hospital, ICHNT History Why is blood transfusion involved? What tests are performed in blood transfusion and why? What does a protocol look

More information

Haplo vs Cord vs URD Debate

Haplo vs Cord vs URD Debate 3rd Annual ASBMT Regional Conference for NPs, PAs and Fellows Haplo vs Cord vs URD Debate Claudio G. Brunstein Associate Professor University of Minnesota Medical School Take home message Finding a donor

More information

Content. Basic Statistics and Data Analysis for Health Researchers from Foreign Countries. Research question. Example Newly diagnosed Type 2 Diabetes

Content. Basic Statistics and Data Analysis for Health Researchers from Foreign Countries. Research question. Example Newly diagnosed Type 2 Diabetes Content Quantifying association between continuous variables. Basic Statistics and Data Analysis for Health Researchers from Foreign Countries Volkert Siersma siersma@sund.ku.dk The Research Unit for General

More information

Indication for unrelated allo-sct in 1st CR AML

Indication for unrelated allo-sct in 1st CR AML Indication for unrelated allo-sct in 1st CR AML It is time to say! Decision of allo-sct: factors to be considered Cytogenetic risk status Molecular genetics FLT3; NPM1, CEBPA. Response to induction Refractoriness

More information

Dedicated to Gordon. Stem Cell Transplantation: The Journey

Dedicated to Gordon. Stem Cell Transplantation: The Journey Dedicated to Gordon Stem Cell Transplantation: The Journey 1949 Jacobson et al: Radioprotection by lead shielding of the spleen of a lethally irradiated animal 1951 Lorenz et al: Radiation protection

More information

Applications. DSC 410/510 Multivariate Statistical Methods. Discriminating Two Groups. What is Discriminant Analysis

Applications. DSC 410/510 Multivariate Statistical Methods. Discriminating Two Groups. What is Discriminant Analysis DSC 4/5 Multivariate Statistical Methods Applications DSC 4/5 Multivariate Statistical Methods Discriminant Analysis Identify the group to which an object or case (e.g. person, firm, product) belongs:

More information

Biostatistics II

Biostatistics II Biostatistics II 514-5509 Course Description: Modern multivariable statistical analysis based on the concept of generalized linear models. Includes linear, logistic, and Poisson regression, survival analysis,

More information

A LOGISTIC REGRESSION ANALYSIS OF MALARIA CONTROL DATA

A LOGISTIC REGRESSION ANALYSIS OF MALARIA CONTROL DATA A LOGISTIC REGRESSION ANALYSIS OF MALARIA CONTROL DATA Olumoh, Jamiu. S and Ajayi, Osho. O School of Arts and Sciences, American University of Nigeria, Yola Email: jamiu.olumoh@aun.edu.ng, osho.ajayi@aun.edu.ng

More information

Trends in Hematopoietic Cell Transplantation. AAMAC Patient Education Day Oct 2014

Trends in Hematopoietic Cell Transplantation. AAMAC Patient Education Day Oct 2014 Trends in Hematopoietic Cell Transplantation AAMAC Patient Education Day Oct 2014 Objectives Review the principles behind allogeneic stem cell transplantation Outline the process of transplant, some of

More information

Le infezioni fungine nel trapianto di cellule staminali emopoietiche. Claudio Viscoli Professor of Infectious Disease University of Genova, Italy

Le infezioni fungine nel trapianto di cellule staminali emopoietiche. Claudio Viscoli Professor of Infectious Disease University of Genova, Italy Le infezioni fungine nel trapianto di cellule staminali emopoietiche Claudio Viscoli Professor of Infectious Disease University of Genova, Italy Potential conflicts of interest Received grants as speaker/moderator

More information

OPERATIONAL RISK WITH EXCEL AND VBA

OPERATIONAL RISK WITH EXCEL AND VBA OPERATIONAL RISK WITH EXCEL AND VBA Preface. Acknowledgments. CHAPTER 1: Introduction to Operational Risk Management and Modeling. What is Operational Risk? The Regulatory Environment. Why a Statistical

More information

Name: emergency please discuss this with the exam proctor. 6. Vanderbilt s academic honor code applies.

Name: emergency please discuss this with the exam proctor. 6. Vanderbilt s academic honor code applies. Name: Biostatistics 1 st year Comprehensive Examination: Applied in-class exam May 28 th, 2015: 9am to 1pm Instructions: 1. There are seven questions and 12 pages. 2. Read each question carefully. Answer

More information

STAT Factor Analysis in SAS

STAT Factor Analysis in SAS STAT 5600 Factor Analysis in SAS The data for this example come from the decathlon results in the 1988 Olympics. The decathlon is a two-day competition, with the 100 m race, long jump, shot put, high jump,

More information

The future of HSCT. John Barrett, MD, NHBLI, NIH Bethesda MD

The future of HSCT. John Barrett, MD, NHBLI, NIH Bethesda MD The future of HSCT John Barrett, MD, NHBLI, NIH Bethesda MD Transplants today Current approaches to improve SCT outcome Optimize stem cell dose and source BMT? PBSCT? Adjusting post transplant I/S to minimize

More information

3.2A Least-Squares Regression

3.2A Least-Squares Regression 3.2A Least-Squares Regression Linear (straight-line) relationships between two quantitative variables are pretty common and easy to understand. Our instinct when looking at a scatterplot of data is to

More information

Dan Byrd UC Office of the President

Dan Byrd UC Office of the President Dan Byrd UC Office of the President 1. OLS regression assumes that residuals (observed value- predicted value) are normally distributed and that each observation is independent from others and that the

More information