l A data structure representing a list l A series of dynamically allocated nodes l A separate pointer (the head) points to the first

Size: px
Start display at page:

Download "l A data structure representing a list l A series of dynamically allocated nodes l A separate pointer (the head) points to the first"

Transcription

1 Liked Lists Week 8 Gaddis: Chater 17 CS 5301 Srig 2018 Itroductio to Liked Lists l A data structure reresetig a list l A series of dyamically allocated odes chaied together i sequece - Each ode oits to oe other ode. l A searate oiter (the ) oits to the first item i the list. l The last elemet oits to othig () Jill Seama 1 2 l Each ode cotais: Node Orgaizatio - data field may be a structure, a object, etc. - a oiter that ca oit to aother ode data oiter l We use a struct to defie the ode tye: struct ListNode { double value; ListNode *ext; ; l ext ca hold the address of a ListNode. 3 - it ca also be Defiig the Liked List variable l Defie a oiter for the of the list: ListNode * = ; l Now we have a emty liked list: l is equivalet to address 0 // secifies ed of list l to test a oiter for (these are equivalet): while ()... <==> while (!= ) if (!)... <==> if ( == )... Note: If you try to dereferece a oiter whose value is, you will get a rutime error. For examle: ->ext Check before you do this. 4 static it getobjectcout();

2 Liked List oeratios l Basic oeratios: - create a ew, emty list - aed a ode to the ed of the list - isert a ode withi the list - delete a ode - dislay the liked list - delete/destroy the list 5 l Liked List class declaratio #iclude <cstddef> // for usig amesace std; class NumberList { rivate: struct ListNode // the ode data tye { double value; // data ListNode *ext; // tr to ext ode ; ListNode *; // the list ; ublic: NumberList() = { = ; //create emty list ~NumberList(); void aednode(double); void isertnode(double); void deletenode(double); void dislaylist(); 6 static it getobjectcout(); Oeratio: aed ode to ed of list aednode: fid last elem l aednode: adds ew ode to ed of list l Algorithm: Create a ew ode ad store the data i it If the list has o odes (it s emty) Make oit to the ew ode. Else Fid the last ode i the list Make the last ode oit to the ew ode Whe defiig list oeratios, always cosider secial cases: Emty list First elemet, frot of the list (whe oiter is ivolved) 7 l How to fid the last ode i the list? l Algorithm: Make a oiter oit to the first elemet while the ode oits to has a NEXT ode make oit to that ode (the NEXT ode of the ode curretly oits to) l I C++: ListNode * = ; while ((*).ext!= ) = (*).ext; <==> ListNode * = ; while (->ext) = ->ext; =->ext is like i++ 8 ListNode * = ;

3 void NumberList::aedNode(double um) { ListNode *ewnode; // To oit to the ew ode // Create a ew ode ad store the data i it ewnode = ew ListNode; ewnode->value = um; ewnode->ext = ; // If emty, make oit to ew ode if (==) = ewnode; Traversig a Liked List l Visit each ode i a liked list, to - dislay cotets, sum data, test data, etc. l Basic rocess: else { ListNode *; // To move through the list = ; // iitialize to start of list // traverse list to fid last ode while (->ext) //it s ot last = ->ext; //make it t to ext // ow ts to last ode // make last ode oit to ewnode ->ext = ewnode; set a oiter to oit to what oits to while oiter is ot rocess data of curret ode go to the ext ode by settig the oiter to the ext field of the curret ode ed while 9 10 void NumberList::dislayList() { ListNode *; //tr to traverse the list Oeratio: dislay the list // start at the of the list = ; // while ts to somethig (ot ), cotiue while () { //Dislay the value i the curret ode cout << ->value << ; //Move to the ext ode = ->ext; cout << edl; Or the short versio: void NumberList::dislayList() { for (ListNode * = ; ; = ->ext) cout << ->value << ; cout << edl; 11 Destroyig a Liked List: destructor l The destructor must delete (deallocate) all odes used i the list l To do this, use list traversal to visit each ode: - save the address of the ext ode i a oiter - delete the ode NumberList::~NumberList() { ListNode *; // traversal tr ListNode *; // saves the ext ode = ; //start at of list while () { = ->ext; // save the ext delete ; // delete curret = ; // advace tr 12

4 Oeratio: delete a ode from the list l deletenode: removes ode from list, ad deletes (deallocates) the removed ode. l Requires two extra oiters: - oe to oit to the ode to be deleted - oe to oit to the ode before the ode to be deleted. Deletig a ode l Chage the oiter of the revious ode to oit to the ode after the oe to be deleted. l The just delete the ode ->ext = ->ext; delete ; 5 19 Deletig 13 from the list Delete Node Algorithm Liked List fuctios: deletenode l Delete the ode cotaiig um use to traverse the list, util it oits to um or --as is advacig, make oit to the ode before it if ( is ot ) //foud! if (==) //it s the first ode, ad is garbage make oit to the secod elemet delete s ode (the first ode) else make s ode oit to what s ode oits to delete s ode void NumberList::deleteNode(double um) { ListNode * = ; ListNode *; // to traverse the list // trailig ode oiter (revious) // ski odes ot equal to um, sto at last while ( && ->value!=um) { = ; // save it! = ->ext; // advace it // ot ull: um is foud, set liks + delete if () { if (==) { // oits to the first elem, is garb = ->ext; delete ; else { // oits to the redecessor ->ext = ->ext; delete ; else:... is, ot foud do othig 15 16

5 Oeratio: isert a ode ito a liked list l Iserts a ew ode ito the middle of a list. l Uses two extra oiters: - oe to oit to ode before the isertio oit - oe to oit to the ode after the isertio oit [this oe is otioal] Isertig a Node ito a Liked List l Isertio comleted: ->ext = ewnode; ewnode->ext = ; 17 ewnode ewnode Isert Node Algorithm l Isert ode i a certai ositio Create the ew ode, store the data i it Use oiter to traverse the list, util it oits to: ode after isertio oit or --as is advacig, make oit to the ode before if oits to first ode ( is, was ot set) make oit to ew ode make ew ode oit to s ode else make s ode oit to ew ode make ew ode oit to s ode isertnode code void NumberList::isertNode(double um) { ListNode *ewnode; // tr to ew ode ListNode *; // tr to traverse list ListNode *; // ode revious to //allocate ew ode ewnode = ew ListNode; ewnode->value = um; // ski all odes less tha um = ; while ( && ->value < um) { = ; // save = ->ext; // advace What if um is bigger tha all items i the list? if ( == ) { //isert before first, or emty list = ewnode; ewnode->ext = ; else { //isert after ->ext = ewnode; Note: we will assume our list is sorted, so the isertio oit is immediately before the first ode that is larger tha the umber beig iserted. 19 ewnode->ext = ; 20

6 l Doubly liked list Liked List variatios - each ode has two oiters, oe to the ext ode ad oe to the revious ode - oits to first elemet, tail oits to last. rivate: // Structure for odes struct Node { it value; // Value i the ode Node *rev; // Poiter to the revious ode Node *ext; // Poiter to the ext ode ; Node *; // Poiter to the first elemet Node *tail; // Poiter to the last elemet l Circular liked list Liked List variatios - last cell s ext oiter oits to the first elemet. - o ull oiters - every ode has a successor list tail Liked lists vs Arrays (ros ad cos) l A liked list ca easily grow or shrik i size. - No maximum caacity required - No eed to resize+coy whe list reaches max size. l Whe a value is iserted ito or deleted from a liked list, o other odes have to be moved. l Arrays allow radom access to elemets: array[i] (liked lists require traversal to get i th elemet). l Arrays do ot require extra storage for liks (liked lists are imractical whe the oiter value is bigger tha data value). 23

! A data structure representing a list. ! A series of dynamically allocated nodes. ! A separate pointer (the head) points to the first

! A data structure representing a list. ! A series of dynamically allocated nodes. ! A separate pointer (the head) points to the first Liked Lists Week 8 Gaddis: Chater 17 CS 5301 Fall 2015 Itroductio to Liked Lists! A data structure reresetig a list! A series of dyamically allocated odes chaied together i sequece - Each ode oits to oe

More information

Measures of Spread: Standard Deviation

Measures of Spread: Standard Deviation Measures of Spread: Stadard Deviatio So far i our study of umerical measures used to describe data sets, we have focused o the mea ad the media. These measures of ceter tell us the most typical value of

More information

Statistics 11 Lecture 18 Sampling Distributions (Chapter 6-2, 6-3) 1. Definitions again

Statistics 11 Lecture 18 Sampling Distributions (Chapter 6-2, 6-3) 1. Definitions again Statistics Lecture 8 Samplig Distributios (Chapter 6-, 6-3). Defiitios agai Review the defiitios of POPULATION, SAMPLE, PARAMETER ad STATISTIC. STATISTICAL INFERENCE: a situatio where the populatio parameters

More information

Estimation and Confidence Intervals

Estimation and Confidence Intervals Estimatio ad Cofidece Itervals Chapter 9 McGraw-Hill/Irwi Copyright 2010 by The McGraw-Hill Compaies, Ic. All rights reserved. GOALS 1. Defie a poit estimate. 2. Defie level of cofidece. 3. Costruct a

More information

Review for Chapter 9

Review for Chapter 9 Review for Chapter 9 1. For which of the followig ca you use a ormal approximatio? a) = 100, p =.02 b) = 60, p =.4 c) = 20, p =.6 d) = 15, p = 2/3 e) = 10, p =.7 2. What is the probability of a sample

More information

Technical Assistance Document Algebra I Standard of Learning A.9

Technical Assistance Document Algebra I Standard of Learning A.9 Techical Assistace Documet 2009 Algebra I Stadard of Learig A.9 Ackowledgemets The Virgiia Departmet of Educatio wishes to express sicere thaks to J. Patrick Liter, Doa Meeks, Dr. Marcia Perry, Amy Siepka,

More information

Objectives. Sampling Distributions. Overview. Learning Objectives. Statistical Inference. Distribution of Sample Mean. Central Limit Theorem

Objectives. Sampling Distributions. Overview. Learning Objectives. Statistical Inference. Distribution of Sample Mean. Central Limit Theorem Objectives Samplig Distributios Cetral Limit Theorem Ivestigate the variability i sample statistics from sample to sample Fid measures of cetral tedecy for distributio of sample statistics Fid measures

More information

Statistics Lecture 13 Sampling Distributions (Chapter 18) fe1. Definitions again

Statistics Lecture 13 Sampling Distributions (Chapter 18) fe1. Definitions again fe1. Defiitios agai Review the defiitios of POPULATIO, SAMPLE, PARAMETER ad STATISTIC. STATISTICAL IFERECE: a situatio where the populatio parameters are ukow, ad we draw coclusios from sample outcomes

More information

Standard deviation The formula for the best estimate of the population standard deviation from a sample is:

Standard deviation The formula for the best estimate of the population standard deviation from a sample is: Geder differeces Are there sigificat differeces betwee body measuremets take from male ad female childre? Do differeces emerge at particular ages? I this activity you will use athropometric data to carry

More information

How is the President Doing? Sampling Distribution for the Mean. Now we move toward inference. Bush Approval Ratings, Week of July 7, 2003

How is the President Doing? Sampling Distribution for the Mean. Now we move toward inference. Bush Approval Ratings, Week of July 7, 2003 Samplig Distributio for the Mea Dr Tom Ilveto FREC 408 90 80 70 60 50 How is the Presidet Doig? 2/1/2001 4/1/2001 Presidet Bush Approval Ratigs February 1, 2001 through October 6, 2003 6/1/2001 8/1/2001

More information

Chapter 23 Summary Inferences about Means

Chapter 23 Summary Inferences about Means U i t 6 E x t e d i g I f e r e c e Chapter 23 Summary Iferece about Mea What have we leared? Statitical iferece for mea relie o the ame cocept a for proportio oly the mechaic ad the model have chaged.

More information

What is a file system Link? Hard & Symbolic Links. What is a file system Link? What is a file system Link? Murray Saul Seneca College

What is a file system Link? Hard & Symbolic Links. What is a file system Link? What is a file system Link? Murray Saul Seneca College What is a file system Lik? Hard & Symbolic Liks Murray Saul Seeca College Adapted by Dr. Adrew Vardy Memorial Uiversity A lik is a poiter to a file. This poiter associates a file ame with a umber called

More information

Statistical Analysis and Graphing

Statistical Analysis and Graphing BIOL 202 LAB 4 Statistical Aalysis ad Graphig Aalyzig data objectively to determie if sets of data differ ad the to preset data to a audiece succictly ad clearly is a major focus of sciece. We eed a way

More information

Intro to Scientific Analysis (BIO 100) THE t-test. Plant Height (m)

Intro to Scientific Analysis (BIO 100) THE t-test. Plant Height (m) THE t-test Let Start With a Example Whe coductig experimet, we would like to kow whether a experimetal treatmet had a effect o ome variable. A a imple but itructive example, uppoe we wat to kow whether

More information

Fatty Acid Synthesis. Sources of Fatty Acids: Sites of Fatty Acid Synthesis:

Fatty Acid Synthesis. Sources of Fatty Acids: Sites of Fatty Acid Synthesis: Fatty Acid Sythesis Sources of Fatty Acids: Diet (pricipal source) Coversio of carbohydrates ad proteis to fatty acids. Sites of Fatty Acid Sythesis: Liver Lactatig mammary glads Adipose tissues. Fatty

More information

Voluntary Action Coventry. what we. can do for you. vac. services

Voluntary Action Coventry. what we. can do for you. vac. services Volutary Actio Covetry what we ca do for you vac services ideal veue Lookig for somewhere to hold your ext meetig, away day or traiig evet? Look o further tha Volutary Actio Covetry. Our moder ad stylish

More information

CHAPTER 8 ANSWERS. Copyright 2012 Pearson Education, Inc. Publishing as Addison-Wesley

CHAPTER 8 ANSWERS. Copyright 2012 Pearson Education, Inc. Publishing as Addison-Wesley CHAPTER 8 ANSWERS Sectio 8.1 Statistical Literacy ad Critical Thikig 1 The distributio of radomly selected digits from to 9 is uiform. The distributio of sample meas of 5 such digits is approximately ormal.

More information

Chapter 8 Descriptive Statistics

Chapter 8 Descriptive Statistics 8.1 Uivariate aalysis ivolves a sigle variable, for examples, the weight of all the studets i your class. Comparig two thigs, like height ad weight, is bivariate aalysis. (Which we will look at later)

More information

Chapter 11 Multiway Search Trees

Chapter 11 Multiway Search Trees Chater 11 Multiway Search Trees m-way Search Trees B-Trees B + -Trees C-C Tsai P.1 m-way Search Trees Definition: An m-way search tree is either emty or satisfies the following roerties: The root has at

More information

Chapter 8 Student Lecture Notes 8-1

Chapter 8 Student Lecture Notes 8-1 Chapter 8 tudet Lecture Notes 8-1 Basic Busiess tatistics (9 th Editio) Chapter 8 Cofidece Iterval Estimatio 004 Pretice-Hall, Ic. Chap 8-1 Chapter Topics Estimatio Process Poit Estimates Iterval Estimates

More information

Concepts Module 7: Comparing Datasets and Comparing a Dataset with a Standard

Concepts Module 7: Comparing Datasets and Comparing a Dataset with a Standard Cocepts Module 7: Comparig Datasets ad Comparig a Dataset with a Stadard Idepedece of each data poit Test statistics Cetral Limit Theorem Stadard error of the mea Cofidece iterval for a mea Sigificace

More information

Autism Awareness Education. April 2018

Autism Awareness Education. April 2018 Autism Awareess Educatio April 2018 What is Autism Autism is a wide-spectrum metal disorder that is talked about every day i health circles, but few really kow all the facts about it. Research cotiues

More information

Guidance on the use of the Title Consultant Psychologist

Guidance on the use of the Title Consultant Psychologist Guidace o the use of the Title Cosultat Psychologist If you have problems readig this documet ad would like it i a differet format, please cotact us with your specific requiremets. Tel: 0116 2254 9568;

More information

VLSI Design 15. Dynamic CMOS Circuits

VLSI Design 15. Dynamic CMOS Circuits VI Desig 5. Dyamic MO ircuits 5. ircuit Families ast module: Memory arrays RMs erial Memories Dyamic memories This module Pass trasistor logic Pseudo MO logic Dyamic logic ook at peedig Up ircuits hat

More information

Outline. Neutron Interactions and Dosimetry. Introduction. Tissue composition. Neutron kinetic energy. Neutron kinetic energy.

Outline. Neutron Interactions and Dosimetry. Introduction. Tissue composition. Neutron kinetic energy. Neutron kinetic energy. Outlie Neutro Iteractios ad Dosimetry Chapter 16 F.A. Attix, Itroductio to Radiological Physics ad Radiatio Dosimetry Neutro dosimetry Thermal eutros Itermediate-eergy eutros Fast eutros Sources of eutros

More information

Statistics for Managers Using Microsoft Excel Chapter 7 Confidence Interval Estimation

Statistics for Managers Using Microsoft Excel Chapter 7 Confidence Interval Estimation Statistics for Maagers Usig Microsoft Excel Chapter 7 Cofidece Iterval Estimatio 1999 Pretice-Hall, Ic. Chap. 7-1 Chapter Topics Cofidece Iterval Estimatio for the Mea (s Kow) Cofidece Iterval Estimatio

More information

5/7/2014. Standard Error. The Sampling Distribution of the Sample Mean. Example: How Much Do Mean Sales Vary From Week to Week?

5/7/2014. Standard Error. The Sampling Distribution of the Sample Mean. Example: How Much Do Mean Sales Vary From Week to Week? Samplig Distributio Meas Lear. To aalyze how likely it is that sample results will be close to populatio values How probability provides the basis for makig statistical ifereces The Samplig Distributio

More information

Ovarian Cancer Survival

Ovarian Cancer Survival Dairy Products, Calcium, Vitami D, Lactose ad Ovaria Cacer: Results from a Pooled Aalysis of Cohort Studies Stephaie Smith-Warer, PhD Departmets of Nutritio & Epidemiology Harvard School of Public Health

More information

23.3 Sampling Distributions

23.3 Sampling Distributions COMMON CORE Locker LESSON Commo Core Math Stadards The studet is expected to: COMMON CORE S-IC.B.4 Use data from a sample survey to estimate a populatio mea or proportio; develop a margi of error through

More information

Plantar Pressure Difference: Decision Criteria of Motor Relearning Feedback Insole for Hemiplegic Patients

Plantar Pressure Difference: Decision Criteria of Motor Relearning Feedback Insole for Hemiplegic Patients 22 4th Iteratioal Coferece o Bioiformatics ad Biomedical Techology IPCBEE vol.29 (22) (22) IACSIT Press, Sigapore Platar Pressure Differece: Decisio Criteria of Motor Relearig Feedback Isole for Hemiplegic

More information

Chapter 21. Recall from previous chapters: Statistical Thinking. Chapter What Is a Confidence Interval? Review: empirical rule

Chapter 21. Recall from previous chapters: Statistical Thinking. Chapter What Is a Confidence Interval? Review: empirical rule Chapter 21 What Is a Cofidece Iterval? Chapter 21 1 Review: empirical rule Chapter 21 5 Recall from previous chapters: Parameter fixed, ukow umber that describes the populatio Statistic kow value calculated

More information

Sexuality and chronic kidney disease

Sexuality and chronic kidney disease Sexuality ad chroic kidey disease T H E K I D N E Y F O U N D A T I O N O F C A N A D A 1 Sexuality ad chroic kidey disease Let s talk about it Sexuality is a vital part of us all. It icludes may aspects

More information

Chem 135: First Midterm

Chem 135: First Midterm Chem 135: First Midterm September 30 th, 2013 Please provide all aswers i the spaces provided. You are ot allowed to use a calculator for this exam, but you may use (previously disassembled) molecular

More information

DEGRADATION OF PROTECTIVE GLOVE MATERIALS EXPOSED TO COMMERCIAL PRODUCTS: A COMPARATIVE STUDY OF TENSILE STRENGTH AND GRAVIMETRIC ANALYSES

DEGRADATION OF PROTECTIVE GLOVE MATERIALS EXPOSED TO COMMERCIAL PRODUCTS: A COMPARATIVE STUDY OF TENSILE STRENGTH AND GRAVIMETRIC ANALYSES Califoria State Uiversity, Sa Berardio CSUSB ScholarWorks Electroic Theses, Projects, ad Dissertatios Office of Graduate Studies 9-2014 DEGRADATION OF PROTECTIVE GLOVE MATERIALS EXPOSED TO COMMERCIAL PRODUCTS:

More information

Study No.: Title: Rationale: Phase: Study Period: Study Design: Centres: Indication: Treatment: Objectives: Primary Outcome/Efficacy Variable:

Study No.: Title: Rationale: Phase: Study Period: Study Design: Centres: Indication: Treatment: Objectives: Primary Outcome/Efficacy Variable: UM27/189/ The study listed may iclude approved ad o-approved uses, formulatios or treatmet regimes. The results reported i ay sigle study may ot reflect the overall results obtaied o studies of a product.

More information

Teacher Manual Module 3: Let s eat healthy

Teacher Manual Module 3: Let s eat healthy Teacher Maual Module 3: Let s eat healthy Teacher Name: Welcome to FLASH (Fu Learig Activities for Studet Health) Module 3. I the Uited States, more studets are developig type 2 diabetes tha ever before.

More information

Appendix C: Concepts in Statistics

Appendix C: Concepts in Statistics Appedi C. Measures of Cetral Tedecy ad Dispersio A8 Appedi C: Cocepts i Statistics C. Measures of Cetral Tedecy ad Dispersio Mea, Media, ad Mode I may real-life situatios, it is helpful to describe data

More information

Sampling Distributions and Confidence Intervals

Sampling Distributions and Confidence Intervals 1 6 Samplig Distributios ad Cofidece Itervals Iferetial statistics to make coclusios about a large set of data called the populatio, based o a subset of the data, called the sample. 6.1 Samplig Distributios

More information

Caribbean Examinations Council Secondary Education Certificate School Based Assessment Additional Math Project

Caribbean Examinations Council Secondary Education Certificate School Based Assessment Additional Math Project Caribbea Examiatios Coucil Secodary Educatio Certificate School Based Assessmet Additioal Math Project Does good physical health ad fitess, as idicated by Body Mass Idex, affect the academic performace

More information

JUST THE MATHS UNIT NUMBER STATISTICS 3 (Measures of dispersion (or scatter)) A.J.Hobson

JUST THE MATHS UNIT NUMBER STATISTICS 3 (Measures of dispersion (or scatter)) A.J.Hobson JUST THE MATHS UNIT NUMBER 8.3 STATISTICS 3 (Measures of dispersio (or scatter)) by A.J.Hobso 8.3. Itroductio 8.3.2 The mea deviatio 8.3.3 Practica cacuatio of the mea deviatio 8.3.4 The root mea square

More information

Modified Early Warning Score Effect in the ICU Patient Population

Modified Early Warning Score Effect in the ICU Patient Population Lehigh Valley Health Network LVHN Scholarly Works Patiet Care Services / Nursig Modified Early Warig Score Effect i the ICU Patiet Populatio Ae Rabert RN, DHA, CCRN, NE-BC Lehigh Valley Health Network,

More information

GSK Medicine: Study Number: Title: Rationale: Study Period: Objectives: Indication: Study Investigators/Centers: Research Methods:

GSK Medicine: Study Number: Title: Rationale: Study Period: Objectives: Indication: Study Investigators/Centers: Research Methods: The study listed may iclude approved ad o-approved uses, mulatios or treatmet regimes. The results reported i ay sigle study may ot reflect the overall results obtaied o studies of a product. Bee prescribig

More information

EDEXCEL NATIONAL CERTIFICATE UNIT 28 FURTHER MATHEMATICS FOR TECHNICIANS OUTCOME 1- ALGEBRAIC TECHNIQUES TUTORIAL 3 - STATISTICAL TECHNIQUES

EDEXCEL NATIONAL CERTIFICATE UNIT 28 FURTHER MATHEMATICS FOR TECHNICIANS OUTCOME 1- ALGEBRAIC TECHNIQUES TUTORIAL 3 - STATISTICAL TECHNIQUES EDEXCEL NATIONAL CERTIFICATE UNIT 8 FURTHER MATHEMATICS FOR TECHNICIANS OUTCOME 1- ALGEBRAIC TECHNIQUES TUTORIAL 3 - STATISTICAL TECHNIQUES CONTENTS Be able to apply algebraic techiques Arithmetic progressio

More information

Sec 7.6 Inferences & Conclusions From Data Central Limit Theorem

Sec 7.6 Inferences & Conclusions From Data Central Limit Theorem Sec 7. Ifereces & Coclusios From Data Cetral Limit Theorem Name: The Cetral Limit Theorem offers us the opportuity to make substatial statistical predictios about the populatio based o the sample. To better

More information

APPROVAL REQUIRED. By approving this proof you are confirming that the contact information is correct.

APPROVAL REQUIRED. By approving this proof you are confirming that the contact information is correct. APPROVAL REQUIRED Attached is a proof for your review. Please pay particular attetio to cotact iformatio such as phoe umbers, email addresses, web addresses ad mailig address. By approvig this proof you

More information

Quantitative Evaluation of Stress Corrosion Cracking Based on Features of Eddy Current Testing Signals

Quantitative Evaluation of Stress Corrosion Cracking Based on Features of Eddy Current Testing Signals E-Joural of Advaced Maiteace Vol.9-2 (2017) 78-83 Japa Society of Maiteology Quatitative Evaluatio of Stress Corrosio Crackig Based o Features of Eddy Curret Testig Sigals Li WANG 1,* ad Zhemao CHEN 2

More information

ECE 608: Computational Models and Methods, Fall 2005 Test #1 Monday, October 3, Prob. Max. Score I 15 II 10 III 10 IV 15 V 30 VI 20 Total 100

ECE 608: Computational Models and Methods, Fall 2005 Test #1 Monday, October 3, Prob. Max. Score I 15 II 10 III 10 IV 15 V 30 VI 20 Total 100 Nme: ECE 608: Computtiol Models d Methods, Fll 005 Test # Mody, Octoer 3, 005! Your em should hve 0 (te pges.! Pge 9 is itetiolly left l.! Pge 0 cotis list of potetilly useful idetities tht you my use.!

More information

Bayesian Sequential Estimation of Proportion of Orthopedic Surgery of Type 2 Diabetic Patients Among Different Age Groups A Case Study of Government

Bayesian Sequential Estimation of Proportion of Orthopedic Surgery of Type 2 Diabetic Patients Among Different Age Groups A Case Study of Government Bayesia Sequetial Estimatio of Proportio of Orthopedic Surgery of Type Diabetic Patiets Amog Differet Age Groups A Case Study of Govermet Medical College, Jammu-Idia Roohi Gupta, Priyaka Aad ad *Rahul

More information

Injectable Gel with 0.3% Lidocaine

Injectable Gel with 0.3% Lidocaine Patiet Brochure Table of Cotets Frequetly Asked Questios 4 Safety 6 Troubleshootig 11 Admiistratio 12 Ijectable Gel with.3% Lidocaie Post Marketig Surveillace 13 Post-treatmet Checklist 14 User Assistace

More information

RADIESSE Dermal Filler for the Correction of Moderate to Severe Facial Wrinkles and Folds, Such As Nasolabial Folds

RADIESSE Dermal Filler for the Correction of Moderate to Severe Facial Wrinkles and Folds, Such As Nasolabial Folds A PATIENT S GUIDE RADIESSE Dermal Filler for the Correctio of Moderate to Severe Facial Wrikles ad Folds, Such As Nasolabial Folds Read all the iformatio before you are treated with Radiesse dermal filler.

More information

Simple intervention to improve detection of hepatitis B and hepatitis C in general practice

Simple intervention to improve detection of hepatitis B and hepatitis C in general practice Simple itervetio to improve detectio of hepatitis B ad hepatitis C i geeral practice Zayab al-lami (GP-Birmigham) Co-authors:-Sarah Powell, Sally Bradshaw, Amada Lambert, David Mutimer ad Adrew Rouse Presetatio

More information

Pure Omega-3 Fish Oils

Pure Omega-3 Fish Oils ordic aturals ordic pet Pure Omega-3 Fish Oils for Dogs ad Cats Welcome to Nordic Naturals Norwegia-bor Joar Opheim fouded Nordic Naturals i 1995 with the goal of advacig the quality of omega-3 fish oils

More information

Objectives. Types of Statistical Inference. Statistical Inference. Chapter 19 Confidence intervals: Estimating with confidence

Objectives. Types of Statistical Inference. Statistical Inference. Chapter 19 Confidence intervals: Estimating with confidence Types of Statistical Iferece Chapter 19 Cofidece itervals: The basics Cofidece itervals for estiatig the value of a populatio paraeter Tests of sigificace assesses the evidece for a clai about a populatio.

More information

The Effect of Question Order on Reporting Physical Activity and Walking Behavior

The Effect of Question Order on Reporting Physical Activity and Walking Behavior Uiversity of South Carolia Scholar Commos Faculty Publicatios Physical Activity ad Public Health 1-1-2008 The Effect of Questio Order o Reportig Physical Activity ad Walkig Behavior Bret E. Hutto Patricia

More information

Measuring Dispersion

Measuring Dispersion 05-Sirki-4731.qxd 6/9/005 6:40 PM Page 17 CHAPTER 5 Measurig Dispersio PROLOGUE Comparig two groups by a measure of cetral tedecy may ru the risk for each group of failig to reveal valuable iformatio.

More information

The Suicide Note: Do unemployment rates affect suicide rates? Author: Sarah Choi. Course: A World View of Math and Data Analysis

The Suicide Note: Do unemployment rates affect suicide rates? Author: Sarah Choi. Course: A World View of Math and Data Analysis The Suicide Note: Do uemploymet rates affect suicide rates? Author: Sarah Choi Course: A World View of Math ad Data Aalysis Istructors: Dr. Joh R. Taylor, Mrs. Desiré J. Taylor ad Mrs. Christia L. Turer

More information

(4) n + 1. n+1. (1) 2n 1 (2) 2 (3) n 1 2 (1) 1 (2) 3 (1) 23 (2) 25 (3) 27 (4) 30

(4) n + 1. n+1. (1) 2n 1 (2) 2 (3) n 1 2 (1) 1 (2) 3 (1) 23 (2) 25 (3) 27 (4) 30 CHCK YOUR GRASP STATISTICS XRCIS-I Arthmetc mea, weghted mea, Combed mea. Mea of the frst terms of the A.P. a, (a + d), (a + d),... s- a d () ( )d a a + ( ) d a + d. The A.M. of frst eve atural umber s

More information

ANALYZING ECOLOGICAL DATA

ANALYZING ECOLOGICAL DATA Geeral Ecology (BIO 60) Aalyzig Ecological Data Sacrameto State ANALYZING ECOLOGICAL DATA Let Start With a Eample Whe coductig ecological eperimet, we would like to kow whether a eperimetal treatmet had

More information

A Supplement to Improved Likelihood Inferences for Weibull Regression Model by Yan Shen and Zhenlin Yang

A Supplement to Improved Likelihood Inferences for Weibull Regression Model by Yan Shen and Zhenlin Yang A Supplemet to Improved Likelihood Ifereces for Weibull Regressio Model by Ya She ad Zheli Yag More simulatio experimets were carried out to ivestigate the effect of differet cesorig percetages o the performace

More information

An Approach for Type Synthesis of Overconstrained 1T2R Parallel Mechanisms

An Approach for Type Synthesis of Overconstrained 1T2R Parallel Mechanisms A Approach for Type Sythesis of Overcostraied 1T2R Parallel Mechaisms C. Dog 1, H. Liu 1, Q. Liu 1, T. Su 1, T. Huag 1, 2 ad D. G. Chetwyd 2 1 Key Laboratory of Mechaism Theory ad Equipmet Desig of State

More information

Event detection. Biosignal processing, S Autumn 2017

Event detection. Biosignal processing, S Autumn 2017 Evet detectio Biosigal processig, 573S Autum 07 ECG evet detectio P wave: depolarizatio of the atrium QRS-complex: depolarizatio of vetricle T wave: repolarizatio of vetricle Each evet represets oe phase

More information

n Need for surgery recently challenged n increasing adult literature n emerging pediatric evidence n Parents may want to avoid operation

n Need for surgery recently challenged n increasing adult literature n emerging pediatric evidence n Parents may want to avoid operation ANTIBIOTICS VS APPENDECTOMY FOR NON- PERFORATED APPENDICITIS Shaw D. St. Peter, M.D. The APPY trial Multiceter radomized cotrolled trial comparig appedectomy versus o-operative treatmet for acute o-perforated

More information

Visual Acuity Screening of Children 6 Months to 3 Years of Age

Visual Acuity Screening of Children 6 Months to 3 Years of Age Visual Acuity Screeig of Childre Moths to Years of Age Velma Dobso,* Deborah Salem,t D. Luisa Mayer, Cythia Moss, ad S. Lawso Sebris The operat preferetial lookig () procedure allows a behavioral estimate

More information

5.1 Description of characteristics of population Bivariate analysis Stratified analysis

5.1 Description of characteristics of population Bivariate analysis Stratified analysis Chapter 5 Results Page umbers 5.1 Descriptio of characteristics of populatio 121-123 5.2 Bivariate aalysis 123-131 5.3 Stratified aalysis 131-133 5.4 Multivariate aalysis 134-135 5.5 Estimatio of Attributable

More information

Lecture 18b: Practice problems for Two-Sample Hypothesis Test of Means

Lecture 18b: Practice problems for Two-Sample Hypothesis Test of Means Statitic 8b_practice.pdf Michael Halltoe, Ph.D. hallto@hawaii.edu Lecture 8b: Practice problem for Two-Sample Hypothei Tet of Mea Practice Everythig that appear i thee lecture ote i fair game for the tet.

More information

Chapter 18 - Inference about Means

Chapter 18 - Inference about Means Chapter 18 - Iferece about Mea December 1, 2014 I Chapter 16-17, we leared how to do cofidece iterval ad tet hypothei for proportio. I thi chapter we will do the ame for mea. 18.1 The Cetral Limit Theorem

More information

Lecture Outline. BIOST 514/517 Biostatistics I / Applied Biostatistics I. Paradigm of Statistics. Inferential Statistic.

Lecture Outline. BIOST 514/517 Biostatistics I / Applied Biostatistics I. Paradigm of Statistics. Inferential Statistic. BIOST 514/517 Biostatistics I / Applied Biostatistics I Kathlee Kerr, Ph.D. Associate Professor of Biostatistics iversity of Washigto Lecture 11: Properties of Estimates; Cofidece Itervals; Stadard Errors;

More information

Primary: To assess the change on the subject s quality of life between diagnosis and the first 3 months of treatment.

Primary: To assess the change on the subject s quality of life between diagnosis and the first 3 months of treatment. Study No.: AVO112760 Title: A Observatioal Study To Assess The Burde Of Illess I Prostate Cacer Patiets With Low To Moderate Risk Of Progressio Ratioale: Little data are available o the burde of illess

More information

Supplementary Information for: Use of Fibonacci numbers in lipidomics. Enumerating various classes of fatty acids

Supplementary Information for: Use of Fibonacci numbers in lipidomics. Enumerating various classes of fatty acids Supplemetary Iformatio for: Use of Fiboacci umbers i lipidomics Eumeratig various classes of fatty acids Stefa Schuster *,1, Maximilia Fichter 1, Severi Sasso 1 Dept. of Bioiformatics, Friedrich Schiller

More information

Should We Care How Long to Publish? Investigating the Correlation between Publishing Delay and Journal Impact Factor 1

Should We Care How Long to Publish? Investigating the Correlation between Publishing Delay and Journal Impact Factor 1 Should We Care How Log to Publish? Ivestigatig the Correlatio betwee Publishig Delay ad Joural Impact Factor 1 Jie Xu 1, Jiayu Wag 1, Yuaxiag Zeg 2 1 School of Iformatio Maagemet, Wuha Uiversity, Hubei,

More information

Whether you have a bacterial infection or a viral infection, there are things you can do to help yourself feel better:

Whether you have a bacterial infection or a viral infection, there are things you can do to help yourself feel better: HEALTHPLUS, AN AMERIGROUP COMPANY MakeHealth Happe Vol. 2, 2013 Do I Need Atibiotics? Atibiotics are medicies used to treat bacterial ifectios ad keep them from spreadig. But if a virus makes you sick,

More information

Ch 9 In-class Notes: Cell Reproduction

Ch 9 In-class Notes: Cell Reproduction Ch 9 I-class Notes: Cell Reproductio All cells grow, duplicate their DNA, ad divide to multiply. This is called the cell cycle. Most Prokaryotic cells divide via biary fissio. Most Eukaryotic cells divide

More information

Ethical Issues in Physical Therapy Practice

Ethical Issues in Physical Therapy Practice Ethical Issues i Physical Therapy Practice A Survey of Physical Therapists i New Eglad ANDREW A. GUCCIONE, MS This survey was a attempt to idetify which ethical decisios are most frequetly ecoutered ad

More information

Introductions to ExtendedGCD

Introductions to ExtendedGCD Itroductios to ExtededGCD Itroductio to the GCD ad LCM (greatest coo divisor ad least coo ultiple) Geeral The legedary Greek atheaticia Euclid (ca. 325 270 BC) suggested a algorith for fidig the greatest

More information

Improving the Bioanalysis of Endogenous Bile Acids as Biomarkers for Hepatobiliary Toxicity using Q Exactive Benchtop Orbitrap?

Improving the Bioanalysis of Endogenous Bile Acids as Biomarkers for Hepatobiliary Toxicity using Q Exactive Benchtop Orbitrap? Troy Voelker, Mi Meg Tadem Labs, Salt Lake City, UT Kevi Cook, Patrick Beett Thermo Fisher Scietific, Sa Jose, CA Improvig the Bioaalysis of Edogeous Bile Acids as Biomarkers for Hepatobiliary Toxicity

More information

x in place of µ in formulas.

x in place of µ in formulas. Algebra Notes SOL A.9 Statstcal Varato Mrs. Greser Name: Date: Block: Statstcal Varato Notato/Term Descrpto Example/Notes populato A etre set of data about whch we wsh to ga formato. The heght of every

More information

Pilot and Exploratory Project Support Grant

Pilot and Exploratory Project Support Grant KEY DATES LETTERS OF INTENT DUE November 2, 2015 5:00 pm est FULL PROPOSAL INVITATIONS November 16, 2015 FULL PROPOSAL DEADLINE Jauary 15, 2016 5:00 pm est NOTIFICATION OF AWARDS April, 2016 Pilot ad Exploratory

More information

Clinical Research The details of the studies undertaken year wise along with the outcomes is given below: SNo Name of Project

Clinical Research The details of the studies undertaken year wise along with the outcomes is given below: SNo Name of Project No. studies take Cliical Research 2012-13 No. publi 9 4 The details the studies take year wise alog with the outcomes is give below: 1. Homoeopathic therapy for lower uriary tract symptoms i me with Beig

More information

Chapter 1 Introduction

Chapter 1 Introduction Chapter 1 Itroductio 1 The olefi metathesis reactio is a powerful sythetic tool that scrambles the carbo atoms of carbo carbo double bods ad creates ew carbo carbo double bods. The mechaism of the reactio

More information

Introduction. Agent Keith Streff. Humane Investigations: Animal Hoarding & Collecting

Introduction. Agent Keith Streff. Humane Investigations: Animal Hoarding & Collecting Humae Ivestigatios: Aimal Hoardig & Collectig Aget Keith Streff Aimal Humae Society Golde Valley Campus 845 Meadow Lae North Golde Valley, MN 55422 Itroductio Backgroud o Keith Streff Why are we hear today

More information

Interference Cancellation Algorithm for 2 2 MIMO System without Pilot in LTE

Interference Cancellation Algorithm for 2 2 MIMO System without Pilot in LTE Commuicatios ad Networ, 13, 5, 31-35 http://dx.doi.org/1.436/c.13.53b7 Published Olie September 13 (http://www.scirp.org/oural/c) Iterferece Cacellatio Algorithm for MIMO System without Pilot i LE Otgobayar

More information

SMV Outpatient Zero Suicide Initiative Oct 14 to Dec 16

SMV Outpatient Zero Suicide Initiative Oct 14 to Dec 16 SV Outpatiet Zero Suicide itiative Oct 14 to ec 16 Lea Problem: Betwee 2011 ad 2014, of patiets attedig the SV Outpatiet programs, there were recorded suicide attempts or deaths by suicide. Goal Statemet

More information

Routing. Spring 2018 CS 438 Staff, University of Illinois 1

Routing. Spring 2018 CS 438 Staff, University of Illinois 1 Routig Sprig 08 S 438 Staff, Uiversity of Illiois Routig hicago Sprigfield hampaig tourist appears ad gruts, hicago? Which way do you poit? aville Idiaapolis Effigham St. Louis Sprig 08 S 438 Staff, Uiversity

More information

Chapter 25 Fluid, electrolyte, and acid-base homeostasis

Chapter 25 Fluid, electrolyte, and acid-base homeostasis Chapter 25 Fluid, electrolyte, ad acid-base homeostasis Body Fluid Compartmets I lea adults, body fluids costitute 55% of female ad 60% of male total body mass Itracellular fluid (ICF) iside cells About

More information

COMPARISON OF A NEW MICROCRYSTALLINE

COMPARISON OF A NEW MICROCRYSTALLINE Br. J. cli. Pharmac. (1979), 8, 59-64 COMPARISON OF A NEW MICROCRYSTALLINE DICOUMAROL PREPARATION WITH WARFARIN UNDER ROUTINETREATMENTCONDITIO D. LOCKNER & C. PAUL Departmet of Medicie, Thrombosis Uit,

More information

Performance Improvement in the Bivariate Models by using Modified Marginal Variance of Noisy Observations for Image-Denoising Applications

Performance Improvement in the Bivariate Models by using Modified Marginal Variance of Noisy Observations for Image-Denoising Applications PROCEEDING OF WORLD ACADEM OF CIENCE, ENGINEERING AND ECHNOLOG VOLUME 5 APRIL 005 IN 307-6884 Performace Improvemet i the Bivariate Models by usig Modified Margial Variace of Noisy Observatios for Image-Deoisig

More information

Hypertension in patients with diabetes is a well recognized

Hypertension in patients with diabetes is a well recognized Cotrol of Hypertesio amog Type II Diabetics Kawther El-Shafie, Sayed Rizvi Abstract Objectives: Numerous studies have cofirmed the high prevalece of hypertesio amog type 2 diabetics, ad that itesive hypertesive

More information

How important is the acute phase in HIV epidemiology?

How important is the acute phase in HIV epidemiology? How importat is the acute phase i HIV epidemiology? Bria G. Williams South Africa Cetre for Epidemiological Modellig ad Aalysis (SACEMA), Stellebosch, Wester Cape, South Africa Correspodece should be addressed

More information

INTERNATIONAL STUDENT TIMETABLE SYDNEY CAMPUS

INTERNATIONAL STUDENT TIMETABLE SYDNEY CAMPUS INTERNATIONAL STUDENT TIMETABLE KEY TERM DATES Term Iductio Day Term Dates Public Holidays Studet Fees 2013/14 Holiday Periods* Commece Util* Commece Util ALL studets 1, 2014 Fri 24 Ja Fri 24 Ja Su 6 Apr

More information

Quantitation Of Oligonucleotides In Human Plasma Using Q-Exactive Orbitrap High Resolution MS

Quantitation Of Oligonucleotides In Human Plasma Using Q-Exactive Orbitrap High Resolution MS Weiwei Yua, Laixi Wag, Camille Eriquez, Mi Meg Tadem Labs, Salt Lake City, UT Jessica Wag, Kevi Cook, Patrick Beett Thermo Fisher Scietific, Sa Jose, CA Quatitatio Of Oligoucleotides I Huma Plasma Usig

More information

Finite Element Simulation of a Doubled Process of Tube Extrusion and Wall Thickness Reduction

Finite Element Simulation of a Doubled Process of Tube Extrusion and Wall Thickness Reduction World Joural of Mechaics, 13, 3, 5- http://dx.doi.org/1.3/wjm.13.35 Published lie August 13 (http://www.scirp.org/joural/wjm) Fiite Elemet Simulatio of a Doubled Process of Tube Extrusio ad Wall Thickess

More information

INHIBITORS IN MILK: PROBLEMS and METHODS OF DETERMINATION. Joana Šalomskienė KTU Food Institute, Kaunas, Lithuania

INHIBITORS IN MILK: PROBLEMS and METHODS OF DETERMINATION. Joana Šalomskienė KTU Food Institute, Kaunas, Lithuania INHIBITORS IN MILK: PROBLEMS ad METHODS OF DETERMINATION Joaa Šalomskieė KTU Food Istitute, Kauas, Lithuaia mikrobjs@lmai.lt, 837312380 Ihibitors (atimicrobials, atibacterial substaces) i dairy idustry:

More information

Epilepsy and Family Dynamics

Epilepsy and Family Dynamics Epilepsy ad Family Dyamics BC Epilepsy Society November 15, 2010 Guests: Susa Murphy, Registered Nurse, Paret Rita Marchildo, Child Life Specialist, Paret Speakers: Audrey Ho PhD., R.Psych Josef Zaide

More information

Certify your stroke care program. Tell your community you re ready when needed.

Certify your stroke care program. Tell your community you re ready when needed. Certify your stroke care program. Tell your commuity you re ready whe eeded. Stroke Certificatio Optios STROKE READY PRIMARY STROKE Stroke Ready Certificatio Demostrates to commuity emergecy services ad

More information

PDF hosted at the Radboud Repository of the Radboud University Nijmegen

PDF hosted at the Radboud Repository of the Radboud University Nijmegen PDF hosted at the Radboud Repository of the Radboud Uiversity Nijmege The followig full text is a publisher's versio. For additioal iformatio about this publicatio click this lik. http://hdl.hadle.et/066/5655

More information

Practical Basics of Statistical Analysis

Practical Basics of Statistical Analysis Practical Basics of Statistical Aalysis David Keffer Dept. of Materials Sciece & Egieerig The Uiversity of Teessee Koxville, TN 37996-2100 dkeffer@utk.edu http://clausius.egr.utk.edu/ Goveror s School

More information

Polymer Structures. Contents:

Polymer Structures. Contents: Polymer Structures otets: A. Sythetic polymers derived from petroleum polyolefis (slides 2-4) polyesters ad others (5-6) B. Biological (atural) polymers [biopolymers] polysaccharides (slides 7-10) proteis

More information

Pilot and Exploratory Project Support Grant

Pilot and Exploratory Project Support Grant KEY DATES LETTERS OF INTENT DUE November 3, 2014 5:00 pm est FULL PROPOSAL INVITATIONS November 17, 2014 FULL PROPOSAL DEADLINE Jauary 15, 2015 5:00 pm est NOTIFICATION OF AWARDS April, 2015 Pilot ad Exploratory

More information

Usage of Pythagorean Triple Sequence in OSPF

Usage of Pythagorean Triple Sequence in OSPF Commuicatios ad Network,,, 7-8 http://dx.doi.org/.6/c.. Published Olie February (http://www.scirp.org/joural/c) Usage of Pythagorea Triple Sequece i OSPF Simo Tembo, Ke-ichi Yukimatsu, Shohei Kamamura,

More information

Self-Care Management for Patients with Congenital Muscular Torticollis: % Caregivers Independent with Home Exercise Program

Self-Care Management for Patients with Congenital Muscular Torticollis: % Caregivers Independent with Home Exercise Program Self-Care Maagemet for Patiets with Cogeital Muscular Torticollis: % Caregivers Idepedet with Home Exercise Program Team Leader: Rebecca D. Reder OTD, OTR/L Team Members: Vic Voegele PT, Elizabeth Oliverio

More information