Converting Electronic Medical Records Data into Practical Analysis Dataset

Size: px
Start display at page:

Download "Converting Electronic Medical Records Data into Practical Analysis Dataset"

Transcription

1 Converting Electronic Medical Records Data into Practical Analysis Dataset Irena S. Cenzer, University of California San Francisco, San Francisco, CA Mladen Stijacic, San Diego, CA See J. Lee, University of California San Francisco, San Francisco, CA ABSTRACT Electronic medical records (EMRs are becoming an increasingly common source of data for medical research. These records are a rich in medical data, including lab results, medications and health conditions. However, EMR data is usually not set up conveniently for statistical analysis. We describe the methods and SAS code we used to prepare EMR data for two studies in the population of older patients with diabetes. The paper includes examples of using SAS to interpolate values, impute missing values, combine measures from different days into one summary variable, estimating length of stay with discontinued admission and discharge dates and more. INTRODUCTION Electronic medical records (EMR are designed to capture patients medical information quickly and accurately. Those records include data on demographics, medical history, medications, lab test results, etc. Many health care providers have been using EMRs for years and recently enacted regulations provide incentives for all providers to switch to EMRs 1. Electronic records improve patient care enabling easier access to patients medical history and easier communication between different providers. EMRs also create a major opportunity in medical research. The electronic records are databases with vast amount of information on patients that can be used in observational research to determine associations between variables of interest. However, EMRs were not created for the purpose of medical research, and some coding work is necessary to create useful analysis files. In this paper we present SAS code that addresses some of the unique data opportunities and challenges presented by EMRs. STUDIES DESCRIPTION The code presented in this paper was developed for two studies on elderly patients with diabetes. The first study was done using data from On Lok centers. Participants in the On Lok program are NH-eligible, but chose to stay living in the community with help and support from On Lok program. Participants receive health services from On Lok and their medical information is recorded in On Lok electronic records. Each participant receives comprehensive health assessment at the time of enrollment and every three months 2. The goal of the study was to determine the association between levels of Hemoglobin A1C and functional decline. The final analysis dataset included baseline A1C value and baseline functional status, and follow up functional status. The second study was done using data on Veterans Affairs (VA nursing home residents. The VA data includes medical information on veterans receiving medical care through Veterans Health Administration. The data is organized and distributed by VA Information Resource Center (VIReC 3. Our study focused on long-term nursing home residents, with the length of stay of 90 days or longer. The goal was to determine the prevalence of Sliding Scale Insulin (SSI practices in the first month of stay in nursing homes. The final dataset included the indicator variable for presence of evidence of SSI in each day in the first month of patient s stay in VA nursing home. ON LOK DATA AND CODING SCENARIOS On Lok data is organized in multiple files, including demographics, lab results, medications, functional assessment, etc. Each file can contain one or multiple records per patient or no records at all. For example, lab results file will only contain records for the patients that had lab tests performed and it will have one record for each lab test performed. Our study looked at the association between Hemoglobin A1C and decline in functional status, as defined by Activities of Daily Living (ADLs. We used the data from lab results file, functional assessment file and medication file. We created SAS code that generated the final analysis dataset with A1C values as predictors and change in ADLs as the outcome.

2 EXAMPLE 1: A1C measurements are taken at random times Hemoglobin A1c values are entered to the Lab Results file each time they are measured. However, the lab tests are not performed at set time points or at equal time intervals. Physicians usually order lab tests at the time of admission to the On Lok program or at the time when other lab test are ordered. Most commonly, the A1C tests are ordered when the physician suspects that high or low values of A1C are affecting the patient s health status. Therefore, it is possible for patients to have multiple A1C values in a few days period, and then not have another measurement for week or months. We wanted to find a way to estimate A1C value for each patient at any time point during our study period. We interpolated A1C values between any two consecutive A1C measurements using linear interpolation. The code below shows how interpolation was performed in SAS. %macro InsMissDay(MaxLenInt; %let count=0; %do %while (&count <= &MaxLenInt; INSERT INTO MissDay VALUES(&count; %let count=%eval(&count +1; %end; %mend InsMissDay; CREATE TABLE MissDay ( MissDay int; %InsMissDay(1500; CREATE TABLE A1C_INTER AS select a1.id,a1.a1c_date + md.missday AS A1C_DATE, ROUND(case when a2. A1C_DATE =(a1. A1C_DATE + md.missday then a2.a1c else a1.a1c+(md.missday* ( a2.a1c-a1.a1c/(datdif(a1.a1c_date,a2.date_for,'act/act' end, as A1C, from a1c a1 inner join a1c a2 on a1.id = a2.id and a2. A1C_DATE = (select min(a1c_date from a1c where ID=a1.ID and A1C_DATE > a1. A1C_DATE inner join MissDay md ON md.missday <= DATDIF(a1. A1C_DATE,a2. A1C_DATE,'ACT/ACT' UNION select ID, A1C_DATE,a1c from a1c where ID in (select ID from a1c group by ID having count(* = 1 order by ID, A1C_DATE; Output 1. Interpolate Hemoglobin A1C values EXAMPLE 2: Some A1C measurements might not be valid Our study focused on geriatric patients with diabetes. It is unlikely that those patients would have low values of HbA1C (less than 6.5% without medications. Such low untreated A1C measurements were likely data entry errors or errors in diagnosis of diabetes. We wanted to exclude those measurements from our analysis dataset, but did not want to exclude all the measurements for that individual. We excluded only the measurements that were lower than 6.5% without the patient receiving active glycemic control medications at the time. In those cases, the interpolation was done up to the last measurement before the questionable measurement and then discontinued. It was then started again at the next measurement after the questionable measurement. The code below shows how it was performed in SAS. %macro InsMissDay(MaxLenInt; %let count=0; %do %while (&count <= &MaxLenInt; INSERT INTO MissDay VALUES(&count; %let count=%eval(&count +1; %end; %mend InsMissDay; CREATE TABLE MissDay ( MissDay int; %InsMissDay(1500; 2

3 CREATE TABLE A1C_INTER AS select a1.id, a1.a1c_date + md.missday AS a1c_date, ROUND(case when a1.a1c_qsn = 0 and a2.a1c_qsn = 0 then case when a2.a1c_date =(a1.a1c_date + md.missday then a1.a1c else a1.a1c+(md.missday* ( a2.a1c-a1.a1c/(datdif(a1.a1c_date,a2.a1c_date,'act/act' end when a1.a1c_qsn = 0 and a2.a1c_qsn = 1 then case when a1.a1c_date =(a1.a1c_date + md.missday then a1.a1c else. end else. end, as A1C from a1c_meds a1 inner join a1c_meds a2 on a1.id = a2.id and a2.a1c_date = (select min(a1c_date from a1c_meds where ID=a1.ID and a1c_date> a1.a1c_date and (a1.a1c_date >= (select min(a1c_date from a1c_meds where ID = a1.id and a1c_qsn =0 and a2.a1c_date <= (select max(a1c_date from a1c_meds where ID = a1.id and a1c_qsn =0 inner join MissDay md ON (md.missday < DATDIF(a1.a1c_date,a2.a1c_date,'ACT/ACT' or a2.a1c_date is missing UNION select ID, a1c_date, a1c from a1c_meds a1 where a1c_date = (select max(a1c_date from a1c_meds where ID = a1.id and a1c_qsn =0 UNION select ID, a1c_date, a1c from a1c_meds where ID in (select ID from a1c_meds group by ID having count(* = 1 and a1c_qsn = 0 order by ID,a1c_date; Output 2. Interpolate Hemoglobin A1C values and exclude the questionable A1C values EXAMPLE 3: Calculate summary ADL value On Lok staff performs functional status evaluation every three months. During the evaluation they collect data on five Activities of Daily Living: bathing, dressing, toileting, transferring in/out of bed and eating. For each ADL, patients are assigned a value of 0 (no difficulty, 1 (difficulty or 2 (dependence. Most of the time all the ADLs are evaluated at the same day, but sometimes one or more ADLs have to be assessed one or more days later. We considered the ADLs as assessed at the same time if they were evaluated within two weeks of each other. The code below shows how to combine ADLs from different days with two weeks into one summary variable. create table ADL_summary as select x.id, x.effective_date, sum(adl.adl_type as sum_of_adl_types, count(adl.adl_type as count_of_adl, sum(adl.value as score_sum_miss, round(mean(adl.value as score_avg from ADL inner join (select * from ADL where ADL_type=1 x on ADLfreqs.effective_date >= (x.effective_date -14 and ADL.effective_date <= (x.effective_date + 14 and ADL.ID = x.id group by x.id,x.effective_date ; run; Output 3. Calculate summary ADL value Sometimes it is not possible to evaluate one or more activities for a subject, but we do not want to exclude that subject from the study completely. In those cases, we imputed the average value score of the ADLs that are not missing for the ADLs that are missing. data ADL_summary; set ADL_summary; score_sum = score_sum_miss + (5-count_of_adl*score_avg; run; Output 4. Impute missing ADL values and calculate summary ADL value 3

4 EXAMPLE 4: Determining the baseline ADL and the six month follow up ADL As mentioned, the goal of our study was to test the association between the current A1C value and the change in ADLs over six months. In order to determine if a patient experienced decline in ADL status, we first need to determine the baseline and the follow up functional status. Since functional assessments are not performed exactly every 180 days, we defined our six month follow up ADL as the ADL assessment that was done closest to 180 days from the baseline ADL, but not more than 30 days away from 180 day mark. The code below shows how we defined the baseline and follow up ADLs. create table ADL_followup as select adl_first.id,adl_first.effective_date as FIRST_DATE, adl_first.score_sum as FIRST_ADL, adl_second.effective_date as SECOND_DATE,adl_second.score_sum as SECOND_ADL from ADL_summary adl_first LEFT OUTER JOIN ADL_summary adl_second ON adl_first.id = adl_second.id and (adl_first.effective_date+150 <= adl_second.effective_date and (adl_first.effective_date+210 >= adl_second.effective_date and abs((adl_first.effective_date+180-(adl_second.effective_date = (select min(abs((x1.effective_date+180-(x2.effective_date from ADL_summary x1 inner join ADL_summary x2 on x1.id = x2.id and x1.id = adl_first.id and x1.effective_date = adl_first.effective_date and adl_first.effective_date+150 <= x2.effective_date and adl_first.effective_date+210 >= x2.effective_date; run; Output 5. Calculate baseline and follow up ADL values VA NURSING HOME DATA AND CODING SCENARIOS VA data is organized in multiple files, including main files, lab files, medication files, etc. Similar to On Lok data, each file can contain one or multiple records per patient or no records at all. In this study we used Extended Care Main (ECM file and Lab Results (LR file. We created SAS code that generated the final analysis dataset that included day of stay and incidence of SSI. EXAMPLE 1: Calculating total length of stay The information about admission to and discharge from the VA nursing home is found in Extended Care Main file. If patient gets transferred from nursing home to another inpatient or outpatient setting for tests or treatment, he is still considered nursing home resident and his bed is not released. However, in the administrative data it will appear that the patient was discharged from the nursing home and then admitted again the same day. Each record in the Extended Care Main file describes one admission to nursing home. Therefore, it is possible that a patient will have multiple records in the main ECM file for the same stay in the nursing home. This would complicate the process of calculating the length of stay in nursing home. The code below describes how to combine multiple admission and discharge dates for each stay and easily calculate the total length of stay in the nursing home. select ad.id, ad.admitday, (select min(disdayfrom ext_care_main dd where dd.disday >= ad.admitday and dd.id = ad.id and not exists (select * from ext_care_main nad where nad.admitday = dd.disday and nad.disday > dd.disday and nad.id = dd.id format date8. AS disday from ext_care_main ad where not exists (select * from ext_care_main pdd where pdd.disday = ad.admitday and pdd.admitday < ad.admitday and ad.id = pdd.id order by ad.id,ad.admitday; Output 6. Calculate Length of Stay in nursing home 4

5 EXAMPLE 2: Determine Sliding Scale Insulin Our research question was focused on prevalence of Sliding Scale Insulin in the first month of stay in nursing homes. SSI is identified by multiple insulin medications or multiple glucose checks in the same day. The code below shows how identify multiple insulin medications in the same day. The same logic is applied to identifying multiple blood sugar tests in the same day. (Dataset day_inc includes one line per each day of interest, 0-30 in this case. proc sql ; create table temp AS select x.id, x.admit_date, x.discharge_date, x.insulin_date, case when x.admit_date + di.inc = x.insulin_date then x.prepcount else 0 end as PrescriptionCount, 'Day' btrim(put(di.inc+1,2. '_NumIns' as InsDay, di.inc from day_inc di inner join (select i.id,i.admit_date,i.discharge_date,p.insulin_date,p.prepcount from inpatient i inner join (select id,insulin_date,count(* AS PrepCount from Pharmacy group by id,insulin_date p on i.id=p.id and i.admit_date <= p.insulin_date and p.insulin_date <= i.discharge_date x on di.inc < 28 and x.insulin_date = x.admit_date + di.inc; proc sql ; CREATE TABLE temp1 AS select di.inc,t.inc as incins,t.id,t.admit_date,t.discharge_date, case when t.inc=di.inc then t.prescriptioncount else 0 end as PrescriptionCount, case when t.inc=di.inc then t.insday else 'Day' btrim(put(di.inc+1,2. '_NumIns' end as InsDay from id_temp di inner join temp t on t.id = di.id and t.admit_date=di.admit_date and ((di.inc >= t.inc and di.inc < (select min(inc from temp where id = t.id and admit_date=t.admit_date and inc > t.inc or (t.inc = (select max(inc from temp where id = t.id and admit_date=t.admit_date and di.inc >= t.inc or (t.inc = (select min(inc from temp where id = t.id and admit_date=t.admit_date and di.inc < t.inc where missing(t.id = 0 order by t.id,t.admit_date,di.inc; proc transpose data=temp1 out = LOS; id Insday; by id admit_date; var PrescriptionCount; Output 7. Determine occurrence of Sliding Scale Insulin CONCLUSION Information collected in Electronic Medical Records can a great resource in medical research. Unfortunately, data is not collected and stored in a way that makes it immediately useful for research. In this paper we presented a few examples of how to make EMR data suitable for use in statistical analysis. The code included here and additional code can be obtained by contacting the authors. REFERENCES 1. Centers for Medicare & Medicaid Services, Guidance/Legislation/EHRIncentivePrograms/Meaningful_Use.html 2. Eng C, Pedulla J, Eleazer GP et al. Program of All-inclusive Care for the Elderly (PACE: An innovative model of integrated geriatric care and financing. J Am Geriatr Soc 1997;45: VA Information Resource Center, 5

6 CONTACT INFORMATION Your comments and questions are valued and encouraged. Contact the author at: Name: Irena Stijacic Cenzer Enterprise: UCSF Address: 4150 Clement St. City, State ZIP: San Francisco, CA Work Phone: ( SAS and all other SAS Institute Inc. product or service names are registered trademarks or trademarks of SAS Institute Inc. in the USA and other countries. indicates USA registration. Other brand and product names are trademarks of their respective companies. 6

Remove Voided Claims for Insurance Data Qiling Shi

Remove Voided Claims for Insurance Data Qiling Shi Remove Voided Claims for Insurance Data Qiling Shi ABSTRACT The purpose of this study is to remove voided claims for insurance claim data using SAS. Suppose that for these voided claims, we don t have

More information

GRACE Team Care Integration of Primary Care with Geriatrics and Community-Based Social Services

GRACE Team Care Integration of Primary Care with Geriatrics and Community-Based Social Services GRACE Team Care Integration of Primary Care with Geriatrics and Community-Based Social Services Aged, Blind and Disabled Stakeholder Presentation Indiana Family and Social Services Administration August

More information

EVALUATION OF A BASAL-BOLUS INSULIN PROTOCOL FROM CONTINUING DOSING EFFICACY AND SAFETY OPTIMIZATION IN NON-CRITICALLY ILL HOSPITALIZED PATIENTS

EVALUATION OF A BASAL-BOLUS INSULIN PROTOCOL FROM CONTINUING DOSING EFFICACY AND SAFETY OPTIMIZATION IN NON-CRITICALLY ILL HOSPITALIZED PATIENTS EVALUATION OF A BASAL-BOLUS INSULIN PROTOCOL FROM CONTINUING DOSING EFFICACY AND SAFETY OPTIMIZATION IN NON-CRITICALLY ILL HOSPITALIZED PATIENTS Joanne Archer, MSN, APRN, BC-ADM, Maureen T. Greene, PhD,

More information

Program of All-Inclusive Care for the Elderly

Program of All-Inclusive Care for the Elderly Program of AllInclusive Care for the Elderly Country: USA Partner Institute: Johns Hopkins Bloomberg School of Public Health, Department of Health Policy and Management Survey no: (13) 2009 Author(s):

More information

A Patient s Guide to Observation Care

A Patient s Guide to Observation Care Medicare observation services cannot exceed 48 hours. Typically a decision to discharge or admit is made within 24 hours. Medicaid allows up to 48 hours. Private Insurances may vary but most permit only

More information

An Approach to Creating Archives That Minimizes Storage Requirements

An Approach to Creating Archives That Minimizes Storage Requirements Paper SC-008 An Approach to Creating Archives That Minimizes Storage Requirements Ruben Chiflikyan, RTI International, Research Triangle Park, NC Mila Chiflikyan, RTI International, Research Triangle Park,

More information

The population with diabetes is less healthy than the population without it.

The population with diabetes is less healthy than the population without it. Diabetes A drain on U.S. resources Some people with diabetes are able to control their condition and lead an active life. On the whole, however, people with diabetes are faced with many challenges. The

More information

David Mancuso, Ph.D. Greg Yamashiro, M.S.W. Barbara Felver, M.E.S., M.P.A. In conjunction with the DSHS Aging and Disability Services Administration

David Mancuso, Ph.D. Greg Yamashiro, M.S.W. Barbara Felver, M.E.S., M.P.A. In conjunction with the DSHS Aging and Disability Services Administration June 29, 2005 Washington State Department of Social and Health Services Research & Data Analysis Division PACE An Evaluation Report Number 8.26 Program of All-Inclusive Care for the Elderly David Mancuso,

More information

Bipolar Disorder and Substance Abuse Joseph Goldberg, MD

Bipolar Disorder and Substance Abuse Joseph Goldberg, MD Diabetes and Depression in Older Adults: A Telehealth Intervention Julie E. Malphurs, PhD Asst. Professor of Psychiatry and Behavioral Science Miller School of Medicine, University of Miami Research Coordinator,

More information

Trends in Part C & D Star Rating Measure Cut Points

Trends in Part C & D Star Rating Measure Cut Points Trends in Part C & D Star Rating Measure Cut Points Updated 11/18/2014 Document Change Log Previous Version Description of Change Revision Date - Initial release of the 2015 Trends in Part C & D Star Rating

More information

Home Health Care Today: Higher Acuity Level of Patients Highly skilled Professionals Costeffective Uses of Technology Innovative Care Techniques

Home Health Care Today: Higher Acuity Level of Patients Highly skilled Professionals Costeffective Uses of Technology Innovative Care Techniques Comprehensive EHR Infrastructure Across the Health Care System The goal of the Administration and the Department of Health and Human Services to achieve an infrastructure for interoperable electronic health

More information

Department of Pharmacy, Kaiser Permanente San Francisco Medical Center, San Francisco 94115, California, USA

Department of Pharmacy, Kaiser Permanente San Francisco Medical Center, San Francisco 94115, California, USA Journal of Pharmacy and Pharmacology 3 (2015) 33-38 doi: 10.17265/2328-2150/2015.01.005 D DAVID PUBLISHING Evaluation of Glycemic Control with a Pharmacist-Managed Post-Cardiothoracic Surgery Insulin Protocol

More information

Using a Flow Sheet to Improve Performance in Treatment of Elderly Patients With Type 2 Diabetes

Using a Flow Sheet to Improve Performance in Treatment of Elderly Patients With Type 2 Diabetes Special Series: AAFP Award-winning Research Papers Vol. 31, No. 5 331 Using a Flow Sheet to Improve Performance in Treatment of Elderly Patients With Type 2 Diabetes Gary Ruoff, MD; Lynn S. Gray, MD, MPH

More information

Data Driven Approaches to Prescription Medication Outcomes Analysis Using EMR

Data Driven Approaches to Prescription Medication Outcomes Analysis Using EMR Data Driven Approaches to Prescription Medication Outcomes Analysis Using EMR Nathan Manwaring University of Utah Masters Project Presentation April 2012 Equation Consulting Who we are Equation Consulting

More information

Please read the important instructions in this letter regarding requesting disenrollment from UnitedHealthcare.

Please read the important instructions in this letter regarding requesting disenrollment from UnitedHealthcare. Dear Member, Please read the important instructions in this letter regarding requesting disenrollment from UnitedHealthcare. Please look at the checklist below and see what situation applies to you. Each

More information

Medicare Part D Prescription Drug Coverage

Medicare Part D Prescription Drug Coverage Medicare Part D Prescription Drug Coverage GENERAL INFORMATION Coverage Medicare Part D coverage is available to everyone enrolled in Medicare Drug plans are offered by insurance companies and other private

More information

Making Sense of Medicare Advantage and Part D Open Enrollment

Making Sense of Medicare Advantage and Part D Open Enrollment Making Sense of Medicare Advantage and Part D Open Enrollment By Stephen L. Cohen, MD Austell, GA About this presentation: We know that a lot of material is presented here. Please go to www.medicaredrugsavings.org

More information

FORWARDHEALTH PRIOR AUTHORIZATION / PREFERRED DRUG LIST (PA/PDL) FOR HYPOGLYCEMICS, INSULIN LONG-ACTING

FORWARDHEALTH PRIOR AUTHORIZATION / PREFERRED DRUG LIST (PA/PDL) FOR HYPOGLYCEMICS, INSULIN LONG-ACTING DEPARTMENT OF HEALTH SERVICES STATE OF WISCONSIN Division of Health Care Access and Accountability Wis. Admin. Code DHS 107.10(2) FORWARDHEALTH PRIOR AUTHORIZATION / PREFERRED DRUG LIST (PA/PDL) FOR HYPOGLYCEMICS,

More information

Robert Okwemba, BSPHS, Pharm.D. 2015 Philadelphia College of Pharmacy

Robert Okwemba, BSPHS, Pharm.D. 2015 Philadelphia College of Pharmacy Robert Okwemba, BSPHS, Pharm.D. 2015 Philadelphia College of Pharmacy Judith Long, MD,RWJCS Perelman School of Medicine Philadelphia Veteran Affairs Medical Center Background Objective Overview Methods

More information

Glycemic Control Initiative: Insulin Order Set Changes Hypoglycemia Nursing Protocol

Glycemic Control Initiative: Insulin Order Set Changes Hypoglycemia Nursing Protocol Glycemic Control Initiative: Insulin Order Set Changes Hypoglycemia Nursing Protocol Ruth LaCasse Kalish, RPh Department of Pharmacy Objectives Review the current practice at UConn Health with sliding

More information

FACT SHEET. Veterans Affairs Aid and Attendance Benefits C A N H R 650 HARRISON STREET, 2ND FLOOR SAN FRANCISCO, CA 94107

FACT SHEET. Veterans Affairs Aid and Attendance Benefits C A N H R 650 HARRISON STREET, 2ND FLOOR SAN FRANCISCO, CA 94107 Updated 1/20/15 Veterans Affairs Aid and Attendance Benefits FACT SHEET CANHR is a private, nonprofit 501(c)(3) organization dedicated to improving the quality of care and the quality of life for long

More information

VA Office of Inspector General

VA Office of Inspector General VA Office of Inspector General OFFICE OF AUDITS AND EVALUATIONS Veterans Health Administration Audit of The Home Telehealth Program March 9, 2015 13-00716-101 ACRONYMS BDOC CCM FY HPDP NIC OIG PAID VA

More information

8/14/2012 California Dual Demonstration DRAFT Quality Metrics

8/14/2012 California Dual Demonstration DRAFT Quality Metrics Stakeholder feedback is requested on the following: 1) metrics 69 through 94; and 2) withhold measures for years 1, 2, and 3. Steward/ 1 Antidepressant medication management Percentage of members 18 years

More information

Spinal cord injury hospitalisation in a rehabilitation hospital in Japan

Spinal cord injury hospitalisation in a rehabilitation hospital in Japan 1994 International Medical Society of Paraplegia Spinal cord injury hospitalisation in a rehabilitation hospital in Japan Y Hasegawa MSW, l M Ohashi MD, l * N Ando MD, l T. Hayashi MD, l T Ishidoh MD,

More information

Facts about Diabetes in Massachusetts

Facts about Diabetes in Massachusetts Facts about Diabetes in Massachusetts Diabetes is a disease in which the body does not produce or properly use insulin (a hormone used to convert sugar, starches, and other food into the energy needed

More information

Resident s Guide to Inpatient Diabetes

Resident s Guide to Inpatient Diabetes Resident s Guide to Inpatient Diabetes 1. All patients with diabetes of ANY TYPE, regardless of reason for admission, must have a Hemoglobin A1C documented in the medical record within 24 hours of admission

More information

About to Retire: Preparing for Medicare Patient Financial Services Agenda Medicare Enrollment Covered Services Medicare-covered covered Preventive Services Agenda, continued Advance Beneficiary Notice

More information

Low diabetes numeracy predicts worse glycemic control

Low diabetes numeracy predicts worse glycemic control Low diabetes numeracy predicts worse glycemic control Kerri L. Cavanaugh, MD MHS, Kenneth A. Wallston, PhD, Tebeb Gebretsadik, MPH, Ayumi Shintani, PhD, MPH, Darren DeWalt, MD MPH, Michael Pignone, MD

More information

Christian Science, Medicare, Medicaid & Insurance

Christian Science, Medicare, Medicaid & Insurance Christian Science, Medicare, Medicaid & Insurance You have important choices to make. Today I am going to give you information to help you answer the following questions. How do you enroll in Medicare

More information

Alex Vidras, David Tysinger. Merkle Inc.

Alex Vidras, David Tysinger. Merkle Inc. Using PROC LOGISTIC, SAS MACROS and ODS Output to evaluate the consistency of independent variables during the development of logistic regression models. An example from the retail banking industry ABSTRACT

More information

Observation Care Evaluation and Management Codes Policy

Observation Care Evaluation and Management Codes Policy Policy Number REIMBURSEMENT POLICY Observation Care Evaluation and Management Codes Policy 2016R0115A Annual Approval Date 3/11/2015 Approved By Payment Policy Oversight Committee IMPORTANT NOTE ABOUT

More information

BAKERSFIELD CITY SCHOOL DISTRICT

BAKERSFIELD CITY SCHOOL DISTRICT BAKERSFIELD CITY SCHOOL DISTRICT INSURANCE PLANS for RETIREES 2015-2016 GENERAL INFORMATION About DISTRICT Plans for Retirees And INDIVIDUAL Retiree Plans, SISC Sponsored Retirees of the Bakersfield City

More information

BACKGROUND. ADA and the European Association recently issued a consensus algorithm for management of type 2 diabetes

BACKGROUND. ADA and the European Association recently issued a consensus algorithm for management of type 2 diabetes BACKGROUND More than 25% of people with diabetes take insulin ADA and the European Association recently issued a consensus algorithm for management of type 2 diabetes Insulin identified as the most effective

More information

MEDICARE 101 A Webinar presented by Keenan & Associates and Kaiser Permanente

MEDICARE 101 A Webinar presented by Keenan & Associates and Kaiser Permanente MEDICARE 101 A Webinar presented by Keenan & Associates and Kaiser Permanente Sylvia Weathers Service Consultant Keenan & Associates Nancy C. Voltero Retiree Programs Consultant Kaiser Permanente License

More information

Deja-vu all over again, or is it? : nursing home use in the 1990 s

Deja-vu all over again, or is it? : nursing home use in the 1990 s Scripps Gerontology Center Scripps Gerontology Center Publications Miami University Year 2001 Deja-vu all over again, or is it? : nursing home use in the 1990 s Shahla Mehdizadeh Robert Applebaum Jane

More information

Inpatient or Outpatient Only: Why Observation Has Lost Its Status

Inpatient or Outpatient Only: Why Observation Has Lost Its Status Inpatient or Outpatient Only: Why Observation Has Lost Its Status W h i t e p a p e r Proper patient status classification affects the clinical and financial success of hospitals. Unfortunately, assigning

More information

The Ideal Hospital Discharge. Alayne D. Markland, DO, MSc UAB Department of Medicine Division of Geriatrics, Gerontology, & Palliative Care

The Ideal Hospital Discharge. Alayne D. Markland, DO, MSc UAB Department of Medicine Division of Geriatrics, Gerontology, & Palliative Care The Ideal Hospital Discharge Alayne D. Markland, DO, MSc UAB Department of Medicine Division of Geriatrics, Gerontology, & Palliative Care Why is discharge planning important? Surging interest from professional

More information

Remove Orphan Claims and Third party Claims for Insurance Data Qiling Shi, NCI Information Systems, Inc., Nashville, Tennessee

Remove Orphan Claims and Third party Claims for Insurance Data Qiling Shi, NCI Information Systems, Inc., Nashville, Tennessee Paper S-101 Remove Orphan Claims and Third party Claims for Insurance Data Qiling Shi, NCI Information Systems, Inc., Nashville, Tennessee ABSTRACT The purpose of this study is to remove orphan claims

More information

Health Services Research Utilizing Electronic Health Record Data: A Grad Student How-To Paper

Health Services Research Utilizing Electronic Health Record Data: A Grad Student How-To Paper Paper 3485-2015 Health Services Research Utilizing Electronic Health Record Data: A Grad Student How-To Paper Ashley W. Collinsworth, ScD, MPH, Baylor Scott & White Health and Tulane University School

More information

Please read the important instructions in this letter regarding requesting disenrollment from UnitedHealthcare.

Please read the important instructions in this letter regarding requesting disenrollment from UnitedHealthcare. Dear Member, Please read the important instructions in this letter regarding requesting disenrollment from UnitedHealthcare. Please look at the checklist below and see what situation applies to you. Each

More information

A Home Health Co-Payment: Affected Beneficiaries and Potential Impacts

A Home Health Co-Payment: Affected Beneficiaries and Potential Impacts A Home Health Co-Payment: Affected Beneficiaries and Potential Impacts July 3, 20 Avalere Health LLC Avalere Health LLC The intersection of business strategy and public policy Executive Summary 78 percent

More information

California Children s Services Program Analysis Final Report

California Children s Services Program Analysis Final Report California Children s Services Program Analysis Final Report Paul H. Wise, MD, MPH Vandana Sundaram, MPH Lisa Chamberlain, MD, MPH Ewen Wang, MD Olga Saynina, MS Jia Chan, MS Kristen Chan, MASc Beate Danielsen,

More information

Accountable Care Project EMR Reporting Guide January 6, 2014

Accountable Care Project EMR Reporting Guide January 6, 2014 Accountable Care Project EMR Reporting Guide January 6, 2014 Web Reporting System The system can be accessed at http://www.nhaccountablecare.org. You will need the ID and password assigned to you by NHIHPP

More information

Using Proc SQL and ODBC to Manage Data outside of SAS Jeff Magouirk, National Jewish Medical and Research Center, Denver, Colorado

Using Proc SQL and ODBC to Manage Data outside of SAS Jeff Magouirk, National Jewish Medical and Research Center, Denver, Colorado Using Proc SQL and ODBC to Manage Data outside of SAS Jeff Magouirk, National Jewish Medical and Research Center, Denver, Colorado ABSTRACT The ability to use Proc SQL and ODBC to manage data outside of

More information

A Home Health Co-Payment: Affected Beneficiaries and Potential Implications

A Home Health Co-Payment: Affected Beneficiaries and Potential Implications A Home Health Co-Payment: Affected Beneficiaries and Potential Implications May 2, 203 Avalere Health LLC Avalere Health LLC The intersection of business strategy and public policy Executive Summary 38

More information

Kaiser Permanente: Integration, Innovation, and Information Systems in Health Care

Kaiser Permanente: Integration, Innovation, and Information Systems in Health Care Kaiser Permanente: Integration, Innovation, and Information Systems in Health Care October 2012 Molly Porter, Director Kaiser Permanente International molly.porter@kp.org kp.org/international Copyright

More information

Admission to Inpatient Rehabilitation (Rehab) Services

Admission to Inpatient Rehabilitation (Rehab) Services Family Caregiver Guide Admission to Inpatient Rehabilitation (Rehab) Services What Is Rehab? Your family member may have been referred to rehab after being in a hospital due to acute (current) illness,

More information

CAREGIVER GUIDE. A doctor. He or she authorizes (approves) the rehab discharge.

CAREGIVER GUIDE. A doctor. He or she authorizes (approves) the rehab discharge. Guide for Discharge to Home From Inpatient Rehab Who Is on the Discharge Team? Many people help plan a rehab discharge, and they are often referred to as a team. The team members include: A doctor. He

More information

OBSERVATION CARE EVALUATION AND MANAGEMENT CODES

OBSERVATION CARE EVALUATION AND MANAGEMENT CODES REIMBURSEMENT POLICY OBSERVATION CARE EVALUATION AND MANAGEMENT CODES Policy Number: ADMINISTRATIVE 232.8 T0 Effective Date: April, 205 Table of Contents APPLICABLE LINES OF BUSINESS/PRODUCTS... APPLICATION...

More information

7/31/2014. Medicare Advantage: Time to Re-examine Your Engagement Strategy. Avalere Health. Eric Hammelman, CFA. Overview

7/31/2014. Medicare Advantage: Time to Re-examine Your Engagement Strategy. Avalere Health. Eric Hammelman, CFA. Overview Medicare Advantage: Time to Re-examine Your Engagement Strategy July 2014 avalerehealth.net Avalere Health Avalere Health delivers research, analysis, insight & strategy to leaders in healthcare policy

More information

Managing Tables in Microsoft SQL Server using SAS

Managing Tables in Microsoft SQL Server using SAS Managing Tables in Microsoft SQL Server using SAS Jason Chen, Kaiser Permanente, San Diego, CA Jon Javines, Kaiser Permanente, San Diego, CA Alan L Schepps, M.S., Kaiser Permanente, San Diego, CA Yuexin

More information

Getting started with Medicare.

Getting started with Medicare. Getting started with Medicare. Medicare Made Clear TM Get Answers: Medicare Education Look inside to: Understand the difference between Medicare plans Compare plans and choose the right one for you See

More information

Texas Medicaid Wellness Program Reconciliation Method

Texas Medicaid Wellness Program Reconciliation Method Texas Medicaid Wellness Program Reconciliation Method The intent of this document is to provide a detailed description of contractual issues concerning the reconciliation method associated with The Wellness

More information

John Sharp, MSSA, PMP Manager, Research Informatics Quantitative Health Sciences Cleveland Clinic, Cleveland, Ohio

John Sharp, MSSA, PMP Manager, Research Informatics Quantitative Health Sciences Cleveland Clinic, Cleveland, Ohio John Sharp, MSSA, PMP Manager, Research Informatics Quantitative Health Sciences Cleveland Clinic, Cleveland, Ohio Co-Director BiomedicalResearch Informatics Clinical and Translational Science Consortium

More information

Glycemic Control of Type 2 Diabetes Mellitus

Glycemic Control of Type 2 Diabetes Mellitus Bahrain Medical Bulletin, Vol. 28, No. 3, September 2006 Glycemic Control of Type 2 Diabetes Mellitus Majeda Fikree* Baderuldeen Hanafi** Zahra Ali Hussain** Emad M Masuadi*** Objective: To determine the

More information

Upstate New York adults with diagnosed type 1 and type 2 diabetes and estimated treatment costs

Upstate New York adults with diagnosed type 1 and type 2 diabetes and estimated treatment costs T H E F A C T S A B O U T Upstate New York adults with diagnosed type 1 and type 2 diabetes and estimated treatment costs Upstate New York Adults with diagnosed diabetes: 2003: 295,399 2008: 377,280 diagnosed

More information

FACTORS ASSOCIATED WITH HEALTHCARE COSTS AMONG ELDERLY PATIENTS WITH DIABETIC NEUROPATHY

FACTORS ASSOCIATED WITH HEALTHCARE COSTS AMONG ELDERLY PATIENTS WITH DIABETIC NEUROPATHY FACTORS ASSOCIATED WITH HEALTHCARE COSTS AMONG ELDERLY PATIENTS WITH DIABETIC NEUROPATHY Luke Boulanger, MA, MBA 1, Yang Zhao, PhD 2, Yanjun Bao, PhD 1, Cassie Cai, MS, MSPH 1, Wenyu Ye, PhD 2, Mason W

More information

Coverage Basics. Your Guide to Understanding Medicare and Medicaid

Coverage Basics. Your Guide to Understanding Medicare and Medicaid Coverage Basics Your Guide to Understanding Medicare and Medicaid Understanding your Medicare or Medicaid coverage can be one of the most challenging and sometimes confusing aspects of planning your stay

More information

NURSING FACILITY LEVEL OF CARE (NF LOC) CHANGE. Question and Answer

NURSING FACILITY LEVEL OF CARE (NF LOC) CHANGE. Question and Answer NURSING FACILITY LEVEL OF CARE (NF LOC) CHANGE Question and Answer Q. What is the Nursing Facility Level of Care (NF LOC) change? A. The NF LOC change is a change in the statutory criteria used to establish

More information

Total Cost of Care and Resource Use Frequently Asked Questions (FAQ)

Total Cost of Care and Resource Use Frequently Asked Questions (FAQ) Total Cost of Care and Resource Use Frequently Asked Questions (FAQ) Contact Email: TCOCMeasurement@HealthPartners.com for questions. Contents Attribution Benchmarks Billed vs. Paid Licensing Missing Data

More information

On the Road to Meaningful Use of EHRs:

On the Road to Meaningful Use of EHRs: On the Road to Meaningful Use of EHRs: A Survey of California Physicians June 2012 On the Road to Meaningful Use of EHRs: A Survey of California Physicians Prepared for California HealthCare Foundation

More information

Measure #1 (NQF 0059): Diabetes: Hemoglobin A1c Poor Control National Quality Strategy Domain: Effective Clinical Care

Measure #1 (NQF 0059): Diabetes: Hemoglobin A1c Poor Control National Quality Strategy Domain: Effective Clinical Care Measure #1 (NQF 0059): Diabetes: Hemoglobin A1c Poor Control National Quality Strategy Domain: Effective Clinical Care 2016 PQRS OPTIONS FOR INDIVIDUAL MEASURES: CLAIMS, REGISTRY DESCRIPTION: Percentage

More information

Inpatient Treatment of Diabetes

Inpatient Treatment of Diabetes Inpatient Treatment of Diabetes Alan J. Conrad, MD Medical Director Diabetes Services EVP, Physician Alignment Diabetes Symposium November 12, 2015 Objectives Explain Palomar Health goals for inpatient

More information

Objectives. Clinical Impact of An Inpatient Diabetes Care Model. Impact of Diabetes on Hospitals. The Nebraska Medical Center Stats 6/5/2014

Objectives. Clinical Impact of An Inpatient Diabetes Care Model. Impact of Diabetes on Hospitals. The Nebraska Medical Center Stats 6/5/2014 Objectives Clinical Impact of An Inpatient Diabetes Care Model Beth Pfeffer MSN, RN CDE Andjela Drincic, MD 1. Examine the development of the role of the diabetes case manager model in the inpatient setting

More information

Overview. Provider Qualifications

Overview. Provider Qualifications Overview Diabetes self management training (DSMT) is a collaborative process through which patients with diabetes gain knowledge and skills needed to modify behavior and successfully manage the disease

More information

Implementation of an Integrated Diabetes Discharge Planning Pathway: A Quality Improvement Initiative TERESE HEMMINGSEN, DNP, RN, CDE, CCE

Implementation of an Integrated Diabetes Discharge Planning Pathway: A Quality Improvement Initiative TERESE HEMMINGSEN, DNP, RN, CDE, CCE Implementation of an Integrated Diabetes Discharge Planning Pathway: A Quality Improvement Initiative TERESE HEMMINGSEN, DNP, RN, CDE, CCE Content for Discussion Problem/project purpose Innovation proposed

More information

Measure Information Form (MIF) #275, adapted for quality measurement in Medicare Accountable Care Organizations

Measure Information Form (MIF) #275, adapted for quality measurement in Medicare Accountable Care Organizations ACO #9 Prevention Quality Indicator (PQI): Ambulatory Sensitive Conditions Admissions for Chronic Obstructive Pulmonary Disease (COPD) or Asthma in Older Adults Data Source Measure Information Form (MIF)

More information

Causes, incidence, and risk factors

Causes, incidence, and risk factors Causes, incidence, and risk factors Insulin is a hormone produced by the pancreas to control blood sugar. Diabetes can be caused by too little insulin, resistance to insulin, or both. To understand diabetes,

More information

Oregon Statewide Performance Improvement Project: Diabetes Monitoring for People with Diabetes and Schizophrenia or Bipolar Disorder

Oregon Statewide Performance Improvement Project: Diabetes Monitoring for People with Diabetes and Schizophrenia or Bipolar Disorder Oregon Statewide Performance Improvement Project: Diabetes Monitoring for People with Diabetes and Schizophrenia or Bipolar Disorder November 14, 2013 Prepared by: Acumentra Health 1. Study Topic This

More information

Cost Estimation of H.R. 2787 using Congressional Budget Office Scoring Methodology: Medicare Diabetes Self Management Training Act

Cost Estimation of H.R. 2787 using Congressional Budget Office Scoring Methodology: Medicare Diabetes Self Management Training Act Cost Estimation of H.R. 2787 using Congressional Budget Office Scoring Methodology: Medicare Diabetes Self Management Training Act Summary of Findings Dobson DaVanzo & Associates, LLC Vienna, VA 703.260.1760

More information

How To Reduce Hospital Readmission

How To Reduce Hospital Readmission Reducing Hospital Readmissions & The Affordable Care Act The Game Has Changed Drastically Reducing MSPB Measures Chuck Bongiovanni, MSW, MBA, NCRP, CSA, CFE Chuck Bongiovanni, MSW, MBA, NCRP, CSA, CFE

More information

Frequently Asked Questions

Frequently Asked Questions Frequently Asked Questions 1. What is the purpose of this research study?... 2 2. Who can participate?... 2 3. How is the medication given?... 2 4. Are there any other medications administered as part

More information

Nebraska Health Data Reporter

Nebraska Health Data Reporter Nebraska Health Data Reporter Volume 3, Number 1 May 2000 Demographic, health, and functional status characteristics of new residents to Nebraska nursing homes: A summary Joan Penrod, Ph.D. Jami Fletcher,

More information

Brief Research Report: Fountain House and Use of Healthcare Resources

Brief Research Report: Fountain House and Use of Healthcare Resources ! Brief Research Report: Fountain House and Use of Healthcare Resources Zachary Grinspan, MD MS Department of Healthcare Policy and Research Weill Cornell Medical College, New York, NY June 1, 2015 Fountain

More information

Cal MediConnect Plan Guidebook

Cal MediConnect Plan Guidebook Cal MediConnect Plan Guidebook Medicare and Medi-Cal RG_0004006_ENG_0214 Cal MediConnect Plans RIVERSIDE & SAN BERNARDINO COUNTIES IEHP Dual Choice 1-877-273-IEHP (4347) (TTY: 1-800-718-4347) www.iehp.org

More information

Get With The Guidelines - Stroke PMT Special Initiatives Tab for Ohio Coverdell Stroke Program CODING INSTRUCTIONS Effective 10-24-15

Get With The Guidelines - Stroke PMT Special Initiatives Tab for Ohio Coverdell Stroke Program CODING INSTRUCTIONS Effective 10-24-15 Get With The Guidelines - Stroke PMT Special Initiatives Tab for Ohio Coverdell Stroke Program CODING INSTRUCTIONS Effective 10-24-15 Date and time first seen by ED MD: The time entered should be the earliest

More information

MedInsight Healthcare Analytics Brief: Population Health Management Concepts

MedInsight Healthcare Analytics Brief: Population Health Management Concepts Milliman Brief MedInsight Healthcare Analytics Brief: Population Health Management Concepts WHAT IS POPULATION HEALTH MANAGEMENT? Population health management has been an industry concept for decades,

More information

Care Management of Patients with Complex Health Care Needs

Care Management of Patients with Complex Health Care Needs Care Management of Patients with Complex Health Care Needs Thomas Bodenheimer, MD Rachel Berry-Millett, BA Center for Excellence in Primary Care Department of Family and Community Medicine University of

More information

5/16/2014. Revenue Cycle Impact Documentation risks in an EMR AGENDA. EMR Challenges Related to Billing and Revenue Cycle

5/16/2014. Revenue Cycle Impact Documentation risks in an EMR AGENDA. EMR Challenges Related to Billing and Revenue Cycle EMR Challenges Related to Billing and Revenue Cycle Lori Laubach, Principal Health Care Consulting California Primary Care Association Billing Managers Peer Conference May 20 21, 2014 1 The material appearing

More information

A Dose of SAS to Brighten Your Healthcare Blues

A Dose of SAS to Brighten Your Healthcare Blues A Dose of SAS to Brighten Your Healthcare Blues Gabriela Cantu 1, Christopher Klekar 1 1 Center for Clinical Effectiveness, Baylor Scott & White Health, Dallas, Texas ABSTRACT The development and adoption

More information

Getting started with Medicare.

Getting started with Medicare. Getting started with Medicare. Medicare Made Clear TM Get Answers: Medicare Education Look inside to: Understand the difference between Medicare plans Compare plans and choose the right one for you See

More information

Questionnaire Training

Questionnaire Training Medicare Secondary Payer Questionnaire Training University of Mississippi Medical Center Access Management Advanced Insurance Training In Access Management WE are the FIRST STAGE in the Revenue Cycle.

More information

Paper 70-27 An Introduction to SAS PROC SQL Timothy J Harrington, Venturi Partners Consulting, Waukegan, Illinois

Paper 70-27 An Introduction to SAS PROC SQL Timothy J Harrington, Venturi Partners Consulting, Waukegan, Illinois Paper 70-27 An Introduction to SAS PROC SQL Timothy J Harrington, Venturi Partners Consulting, Waukegan, Illinois Abstract This paper introduces SAS users with at least a basic understanding of SAS data

More information

Frequently Asked Questions (FAQs)

Frequently Asked Questions (FAQs) Registration and Enrollment... 2 Provider Registration- First Year Applicants... 2 Provider Registration- Returning Applicants... 2 Provider Eligibility... 3 Eligibility Eligible Professionals... 3 Eligibility

More information

Geneva Association 10th Health and Aging Conference Insuring the Health of an Aging Population

Geneva Association 10th Health and Aging Conference Insuring the Health of an Aging Population Geneva Association 10th Health and Aging Conference Insuring the Health of an Aging Population November 18, 2013 Diana Dennett EVP, Global Issues and Counsel America s Health Insurance Plans (AHIP) America

More information

Linking Administrative Data Sets To Identify Unique Endoscopy Procedures Using SAS Software

Linking Administrative Data Sets To Identify Unique Endoscopy Procedures Using SAS Software Linking Administrative Data Sets To Identify Unique Endoscopy Procedures Using SAS Software John Fleming Edmonton SAS User Group October 10, 2012 Acknowledgements Other Team Members: Xue Li Shakhawat Hossain

More information

Data Mining to Predict Mobility Outcomes for Older Adults Receiving Home Health Care

Data Mining to Predict Mobility Outcomes for Older Adults Receiving Home Health Care Data Mining to Predict Mobility Outcomes for Older Adults Receiving Home Health Care Bonnie L. Westra, PhD, RN, FAAN, FACMI Associate Professor University of Minnesota School of Nursing Co-Authors Gowtham

More information

May 9, 2013. FaithAnn Amond, RN Navigator Care Central Ellis Medicine

May 9, 2013. FaithAnn Amond, RN Navigator Care Central Ellis Medicine A Systems Approach to Diabetes Care Hospital to Home. Improving Care Transitions and Outcomes Helen Hayes Hospital West Haverstraw, NY James Desemone, MD Director of Medical Staff Quality Diabetes and

More information

PRACTICE BRIEF. Preventing Medication Errors in Home Care. Home Care Patients Are Vulnerable to Medication Errors

PRACTICE BRIEF. Preventing Medication Errors in Home Care. Home Care Patients Are Vulnerable to Medication Errors PRACTICE BRIEF FALL 2002 Preventing Medication Errors in Home Care This practice brief highlights the results of two home health care studies on medication errors. The first study determined how often

More information

Sharp HealthCare ACO. Pioneer Introduction to the FSSB November 8, 2012

Sharp HealthCare ACO. Pioneer Introduction to the FSSB November 8, 2012 Sharp HealthCare ACO Pioneer Introduction to the FSSB November 8, 2012 Sharp HealthCare Not-for-profit serving 3.1 million residents of San Diego County Grew from one hospital in 1955 to an integrated

More information

MEDICARE Medigap-PFFS-Long-Term Care Insurance

MEDICARE Medigap-PFFS-Long-Term Care Insurance MEDICARE Medigap-PFFS-Long-Term Care Insurance Medicare is a health insurance program for persons age 65 and older, people who have received Social Security Disability benefits for 24 consecutive months,

More information

Effective Use of SQL in SAS Programming

Effective Use of SQL in SAS Programming INTRODUCTION Effective Use of SQL in SAS Programming Yi Zhao Merck & Co. Inc., Upper Gwynedd, Pennsylvania Structured Query Language (SQL) is a data manipulation tool of which many SAS programmers are

More information

2. Background on Medicare, Supplemental Coverage, and TSSD

2. Background on Medicare, Supplemental Coverage, and TSSD 5 2. Background on, Supplemental Coverage, and TSSD This chapter provides descriptions of the health insurance coverage options available to individuals eligible to participate in the TSSD program. Health

More information

Web Reporting by Combining the Best of HTML and SAS

Web Reporting by Combining the Best of HTML and SAS Web Reporting by Combining the Best of HTML and SAS Jason Chen, Kaiser Permanente, San Diego, CA Kim Phan, Kaiser Permanente, San Diego, CA Yuexin Cindy Chen, Kaiser Permanente, San Diego, CA ABSTRACT

More information

Let SAS Modify Your Excel File Nelson Lee, Genentech, South San Francisco, CA

Let SAS Modify Your Excel File Nelson Lee, Genentech, South San Francisco, CA ABSTRACT PharmaSUG 2015 - Paper QT12 Let SAS Modify Your Excel File Nelson Lee, Genentech, South San Francisco, CA It is common to export SAS data to Excel by creating a new Excel file. However, there

More information

These include supportive housing, residential care, assisted living, nursing homes, chronic care

These include supportive housing, residential care, assisted living, nursing homes, chronic care Continuum of care in the USA organizational characteristics A wide variety of formal, long term residential care arrangements in the US are available. These include supportive housing, residential care,

More information

SSN validation Virtually at no cost Milorad Stojanovic RTI International Education Surveys Division RTP, North Carolina

SSN validation Virtually at no cost Milorad Stojanovic RTI International Education Surveys Division RTP, North Carolina Paper PO23 SSN validation Virtually at no cost Milorad Stojanovic RTI International Education Surveys Division RTP, North Carolina ABSTRACT Using SSNs without validation is not the way to ensure quality

More information

Mar. 31, 2011 (202) 690-6145. Improving Quality of Care for Medicare Patients: Accountable Care Organizations

Mar. 31, 2011 (202) 690-6145. Improving Quality of Care for Medicare Patients: Accountable Care Organizations DEPARTMENT OF HEALTH & HUMAN SERVICES Centers for Medicare & Medicaid Services Room 352-G 200 Independence Avenue, SW Washington, DC 20201 Office of Media Affairs MEDICARE FACT SHEET FOR IMMEDIATE RELEASE

More information

Medicare Resources. A brief guide to sources of help and advice to make your Medicare experience more pleasant.

Medicare Resources. A brief guide to sources of help and advice to make your Medicare experience more pleasant. Medicare Resources A brief guide to sources of help and advice to make your Medicare experience more pleasant. 1 What is Medicare? The Medicare program is a federal system of health and hospital insurance

More information

The Panel Study of Income Dynamics Linked Medicare Claims Data

The Panel Study of Income Dynamics Linked Medicare Claims Data Technical Series Paper #14-01 The Panel Study of Income Dynamics Linked Medicare Claims Data Vicki A. Freedman, Katherine McGonagle, Patricia Andreski Survey Research Center, Institute for Social Research

More information