Free Essay

Sd 1420

In:

Submitted By freeky82
Words 1250
Pages 5
Tarrin Thomas
SD 1420
Unit 9 Assignment
· Which of the following statements converts a double value d into a string s? · s = new Double(d).stringOf(); · s = String.stringOf(d); · s = (new Double(d)).toString(); · s = (Double.valueOf(s)).toString(); The answer is D
· Assume Calendar calendar = new GregorianCalendar(). Which of the following statements will return the number of days in a month? · calendar.getActualMaximum(Calendar.DAY_OF_MONTH) · calendar.get(Calendar.MONTH_OF_YEAR) · calendar.get(Calendar.WEEK_OF_MONTH) · calendar.get(Calendar.WEEK_OF_YEAR) · calendar.get(Calendar.MONTH) The answer is E
· Assume Calendar calendar = new GregorianCalendar(). Which of the following statements will return the week of the year? · calendar.get(Calendar.MONTH_OF_YEAR) · calendar.get(Calendar.WEEK_OF_YEAR) · calendar.get(Calendar.WEEK_OF_MONTH) · calendar.get(Calendar.MONTH) The answer is B
· What will be the output of running the class Test with the following code lines? interface A {
}

class C {
}

class B extends D implements A {
}

public class Test extends Thread { public static void main(String[] args) { B b = new B(); if (b instanceof A) System.out.println("b is an instance of A"); if (b instanceof C) System.out.println("b is an instance of C"); }
}

class D extends C {
}

· b is an instance of A followed by b is an instance of C. · b is an instance of C. · There will be no output. · b is an instance of A. The answer is A
· What is the output of the following code?

public class Test { public static void main(String[] args) { java.math.BigInteger x = new java.math.BigInteger("3"); java.math.BigInteger y = new java.math.BigInteger("7"); x.add(y); System.out.println(x); }
}

· 3 · 4 · 11 · 10 The answer is A

· Assume Calendar calendar = new GregorianCalendar(). Which of the following statements will return the month of the year? · calendar.get(Calendar.MONTH_OF_YEAR) · calendar.get(Calendar.MONTH) · calendar.get(Calendar.WEEK_OF_YEAR) · calendar.get(Calendar.WEEK_OF_MONTH) The answer is A
· Analyze the following code:

Number[] numberArray = new Integer[2]; numberArray[0] = new Double(1.5);

What will happen when the code is executed? · At runtime, new Integer[2] is assigned to numberArray. This makes each element of numberArray an Integer object. Therefore, you cannot assign a Double object to it. · You cannot use Number as a data type because it is an abstract class. · Each element of numberArray is of the Number type; therefore, you cannot assign a Double object to it. · Each element of numberArray is of the Number type; therefore, you cannot assign an Integer object to it. The answer is A
· Which of the following statements will convert a string s into a double value d? · d = Double.parseDouble(s); · d = Double.valueOf(s).doubleValue(); · d = (new Double(s)).doubleValue(); · All of the above The answer is D
· Which of the following declares an abstract method in an abstract Java class? · public abstract method(); · public abstract void method() {} · public void abstract Method(); · public abstract void method(); · public void method() {} The answer is A

· Analyze the following code:

public class Test { public static void main(String[] args) { Number x = new Integer(3); System.out.println(x.intValue()); System.out.println(x.compareTo(new Integer(4))); }
}

What will happen when the code is executed? · The program has a syntax error because intValue is an abstract method in Number. · The program has a syntax error because x does not have the compareTo method. · The program has a syntax error because an Integer instance cannot be assigned to a Number variable. · The program compiles and runs fine. The answer is B
· Analyze the following code:

public class Test { public static void main(String[] args) { Number x = new Integer(3); System.out.println(x.intValue()); System.out.println((Integer)x.compareTo(new Integer(4))); }
}

What will happen when the code is executed? · The program has a syntax error because x cannot be cast into Integer. · The program has a syntax error because an Integer instance cannot be assigned to a Number variable. · The program compiles and runs fine. · The program has a syntax error because the member access operator (.) is executed before the casting operator. · The program has a syntax error because intValue is an abstract method in Number. The answer is D

· Analyze the following code: Number numberRef = new Integer(0); Double doubleRef = (Double)numberRef; What will happen when the code is executed? · A runtime class casting exception occurs because numberRef cannot be cast as a Double. · You can convert an int to double; therefore, you can cast an Integer instance to a Double instance. · There is no such class named Integer. You should use the class Int. · The compiler detects that numberRef is not an instance of Double. · The program runs fine because Integer is a subclass of Double. The answer is A
· Which of the following statements correctly declares an interface? · abstract interface A { abstract void print() { };} · interface A { void print() { }; } · abstract interface A { print(); } · interface A { void print();} The answer is C
· What is the output of Integer.parseInt("10", 2)? · 2; · Invalid statement; · 10; · 1; The answer is B
· Which of the following class definitions defines a legal abstract class? · public class abstract A { abstract void unfinished(); } · abstract class A { abstract void unfinished(); } · class A { abstract void unfinished(); } · class A { abstract void unfinished() { } }

· Analyze the following code: 1. import java.util.*; 2. public class Test { 3. public static void main(String[] args) { 4. Calendar[] calendars = new Calendar[10]; 5. calendars[0] = new Calendar(); 6. calendars[1] = new GregorianCalendar(); 7. } 8. } What will happen when the code is executed? · The program has a syntax error on Line 6 because Calendar[1] is not of a GregorianCalendar type. · The program has a syntax error on Line 5 because java.util.Calendar is an abstract class. · The program has a syntax error on Line 4 because java.util.Calendar is an abstract class. The answer is A
· __________ is a special form of association that represents an ownership relationship between two objects. · Inheritance · Aggregation · Association · Composition The answer is D

· The Rational class in this chapter extends java.lang.Number and implements java.lang.Comparable. Analyze the following code: 1. public class Test { 2. public static void main(String[] args) { 3. Number[] numbers = {new Rational(1, 2), new Integer(4), new Double(5.6)}; 4. java.util.Arrays.sort(numbers); 5. } 6. } What will happen when the code is executed? · The program has a syntax error because numbers is declared as Number[]; therefore, you cannot pass it to Arrays.sort(Object[]). · The program has a syntax error because numbers is declared as Number[]; therefore, you cannot assign {new Rational(1, 2), new Integer(4), new Double(5.6)} to it. · The program has a runtime error because the compareTo methods in Rational, Integer, and Double classes do not compare the value of one type with a value of another type. · The program has a runtime error because number is declared as Number[]; therefore, you cannot assign {new Rational(1, 2), new Integer(4), new Double(5.6)} to it. The answer is C
· __________ array is actually an array in which each element is another array. · One · Two · Three · Multidimensional The answer is D
· Which of the following statements is incorrect about constructors? · A constructor may invoke a static method. · A constructor may be private. · A constructor may invoke an overloaded constructor. · A constructor invokes its superclass no-arg constructor by default if a constructor does not invoke an overloaded constructor or its superclass’s constructor. · A constructor may be static. The answer is E

Similar Documents

Free Essay

Sd 1420 Lab4-3

...Old code import java.util.Scanner; public class lab { /** Main method */ public static void main(String[] args) { // Create a Scanner Scanner input = new Scanner(System.in); // Get number of students System.out.print("Please enter number of students: "); int numberOfStudents = input.nextInt(); int[] scores = new int[numberOfStudents]; // Array scores int best = 0; // The best score char grade; // The grade // Read scores and find the best score for (int i = 0; i < scores.length; i++) { System.out.print("Please enter a score: "); scores[i] = input.nextInt(); if (scores[i] > best) best = scores[i]; } // Declare and initialize output string String output = ""; // Assign and display grades for (int i = 0; i < scores.length; i++) { if (scores[i] >= best - 10) grade = 'A'; else if (scores[i] >= best - 20) grade = 'B'; else if (scores[i] >= best - 30) grade = 'C'; else if (scores[i] >= best - 40) grade = 'D'; else grade = 'F'; output += "Student " + i + " score is " + scores[i] + " and grade is " + grade + "\n"; } // Display the result System.out.println(output); } } Corrected code import java.util.Scanner; public class Grades{ public static void main(String[] args) { // Create a Scanner Scanner input = new Scanner(System.in); // Get number of students System.out.print("Please enter number of students: "); int numberOfStudents = input.nextInt(); int[] scores = new int[numberOfStudents];...

Words: 341 - Pages: 2

Free Essay

Sd 1420 Unit 7 Research

...These terms signify the relationships between classes. These are the building blocks of object oriented programming and very basic stuff. But still for some, these terms look like Latin and Greek. Just wanted to refresh these terms and explain in simpler terms. Association Association is a relationship between two objects. In other words, association defines the multiplicity between objects. You may be aware of one-to-one, one-to-many, many-to-one, many-to-many all these words define an association between objects. Aggregation is a special form of association. Composition is a special form of aggregation. Example: A Student and a Faculty are having an association. Aggregation Aggregation is a special case of association. A directional association between objects. When an object ‘has-a’ another object, then you have got an aggregation between them. Direction between them specified which object contains the other object. Aggregation is also called a “Has-a” relationship. Composition Composition is a special case of aggregation. In a more specific manner, a restricted aggregation is called composition. When an object contains the other object, if the contained object cannot exist without the existence of container object, then it is called composition. Example: A class contains students. A student cannot exist without a class. There exists composition between class and students. Difference between aggregation and composition Composition is more restrictive. When...

Words: 367 - Pages: 2

Free Essay

Biochem

...The Brad assay * is one of the most common forms of measuring absorbance through a spectrometer * uses a a dye (coomassie Brilliant Blue G-250) that binds to proteins and is absorbed at a wavelength of 465- 598 nm * Fast, therefore can meaure a 96 plate in 5 minutes * Absorbance shift allows the measure the protein at the 598 nm wavelength by using the spectrometer, can be justified through the beer-lambert law * The standard curve can be used to estimate the concentration of an unknown protein in solution by * Taking in account their known absorbance levels * Use line equation from curve * The unknown protein conc. in a sample with a known absorbance level can be determined Bradford Vs. Lowry * Lowry * Uses alkaline conditions- reduction cu 2+ to Cu+ * Folin phenol reagent- yellow to blue * Peptide bonds for monocovalent copper and radicals of try and trp react with folin * Concentrations 0.1-1.0 ug/ml of protein * Can be interfered with easily * Slow 40-60 * Colour varies with proteins * Criticial timing with procedure * * Bradford * Based on absorbance shift from brilliant blue when bound to proteins * 465- 598 (when bound) * Acidic conditions * Binds tightly to protein, and inhibits binding sites (little inference) * Limitations * Strong basic buffers Detergents interfere with binding of the cosmic blue, causing...

Words: 315 - Pages: 2

Free Essay

Igg Test and Analysis

...Introduction IgG is an antibody probe that has an affinity for binding specifically to the IgG protein antigen. The research goal was to identify how closely the IgG of the tested species are related. This was accomplished by examining how goat IgG, specific for goat protein, responded to the same protein from cows, pigs, rats, and humans, and it was determined which animals have the most similar antigen binding reactions. The variability in each animal’s IgG protein was revealed by the level of affinity that the anti-goat IgG probe had for the species tested. Since the variability in each animal’s proteins is due to their genetic coding sequence this study clarified which species have the most similar genetic code. Immunoglobulins are the antigen-recognition molecules of B cells and are used as the main effector function in adaptive immunity. (Janeways, 2001) Their are five major immunoglobulin classes: IgA, IgD, IgE, IgG, and IgM and all five Ig classes are present in mammals and are produced from B lymphocytes as part of the immune response system. (Urich, 1994) IgG antibodies are large molecules, having a total molecular weight of 150kDa, composed of two heavy (H) peptide chains weighing approximately 50kDa and two light (L) peptide chains approximately 25kDa. (Janeways, 2001). The region of Light and Heavy chains connected by a disulfide bond makes up the Fragment antigen binding (Fab) structure, while the remaining Heavy chain region is referred to as the...

Words: 3084 - Pages: 13

Free Essay

Momordica Charantia and Influenza a

...Researchers have found that the plant protein inhibits H1N1, H3N2 and H5N1 subtypes. Of the medicinal plants studied, the Momordica Charantia plant has been reported to contain many antiviral properties (Pongthanapisith, Ikuta, Puthavathana, and Leelamanit 1). The seed of the M. Charantia was purified of the protein using Fast Protein Liquid Chromatography. The proteins are separated using Sodium dodecyl polyacrylamide gel electrophoresis (SDS-PAGE). The technique involves placing the protein mixture on gel containing an immobilized pH gradient. The gel slows the passage of proteins and acts as a molecular filter. Samples are loaded into the SDS-polyacrylamide gel and the electric field is applied. The gel slows the passage of proteins and acts as a molecular filter separating different protein molecules according to their size. Smaller proteins move faster than larger proteins and are found near the bottom of the gel. The gel is treated with a coomassie blue stain that binds to the proteins and allows the researcher to visualize the protein bands. The SDS-PAGE method is better suited for separating smaller molecules like protein.(Nelson and Cox 93-94) Madin-Darby canine kidney cells were inoculated with Influenza virus and incubated. The number of infected cells was counted under a microscope. Proteins of the Momordica Charantia were added to the infected cells. After further incubation overnight, the infected cells were identified with nucleoprotein antibodies of...

Words: 442 - Pages: 2

Free Essay

Sds-Page

...SDS-PAGE also called sodium dodecyl sulfate polyacrylamide gel electrophoresis is a technique used to separate proteins only by their size. SDS or sodium dodecyl sulfate is a detergent used to denature the proteins; they will unfold and will not have any secondary, tertiary or quaternary structure. Proteins will have a negative charge and they will move down the gel by their molecular weight. PAGE or polyacrylamide gel electrophoresis is a polymer of the neurotoxin acrylamide and a cross-linking agent called bis-acrylamide. Usually APS and TEMED are used as catalysts for the process of cross-linking. There are two different settings of running the polyacrylamide gel, denaturing gel and non-denaturing gel or native gel. Denaturing gel consists of using urea or SDS to denature or unfold proteins and subsequently separate them by their molecular weight. A non-denaturing or native gel is used primarily to analyze the tertiary and quaternary structure of proteins; therefore they do not need to be unfolded. SDS-PAGE is essential in protein analysis in different fields such as forensic, biochemistry, biotechnology, molecular biology and genetics. The SDS-PAGE gel has to be poured in two parts. The first gel that is poured is the resolving gel. This type of gel consists of 3 to 30 % acrylamide thus possessing small pores and a pH of 8.8. The second gel is called the stacking gel and it is poured on top of the resolving gel. Stacking gel has 8 to 12 % acrylamide, therefore...

Words: 546 - Pages: 3

Free Essay

Six Sigma

...UNIVERSITAS INDONESIA SIX SIGMA MAKALAH diajukan sebagai salah satu tugas mata kuliah Manajemen Kualitas Terpadu yang diampu oleh Bapak Dr. Ir. Rahmat Nurcahyo, M.Eng.Sc. NAMA : TRISNA YUNIARTI NPM : 1406507114 FAKULTAS TEKNIK DEPARTEMEN TEKNIK INDUSTRI UNIVERSITAS INDONESIA 2014 KATA PENGANTAR Alhamdulillah atas kehadirat Allah SWT karena berkat segala rahmat dan hidayah-Nya sehingga penulis dapat menyelesaikan tugas makalah ini dengan baik. Makalah ini merupakan salah satu tugas mata kuliah Manajemen Kualitas Terpadu yang membahas mengenai Six Sigma baik itu sejarahnya, konsep Six Sigma, tahapan, tools yang digunakan dalam six sigma, serta contoh studi kasus. Akhir kata semoga makalah ini bisa bermanfaat bagi pembaca pada umumnya dan penulis pada khususnya. Penulis menyadari bahwa dalam pembuatan makalah ini masih ada kekurangan untuk itu penulis menerima saran dan kritik yang bersifat membangun demi perbaikan kearah kesempurnaan. Akhir kata penulis sampaikan terima kasih. Penulis, Trisna Yuniarti ABSTRAK Metodologi Six sigma untuk peningkatan kualitas adalah sebuah sistem yang banyak konsep, tools, dan prinsip-prinsip yang dapat membantu perusahaan fokus pada pengembangan dan membuat produk dan layanan yang mendekati sangat sempurna. Hal itu berdasarkan pekerjaan statistik Joseph Juran, seorang Rumania yang lahir di US sebagai perintis manajemen mutu. Kata Sigma adalah huruf Yunani yang digunakan untuk area statistik yang mengukur...

Words: 7500 - Pages: 30

Premium Essay

Case Study

...Sustainable Development and Planetary Boundaries BACKGROUND RESEARCH PAPER Johan Rockström and Jeffrey D. Sachs with Marcus C. Öhman and Guido Schmidt-Traub Submitted to the High Level Panel on the Post-2015 Development Agenda This paper reflects the views of the author and does not represent the views of the Panel. It is provided as background research for the HLP Report, one of many inputs to the process. May 2013 Draft for Discussion Sustainable Development and Planetary Boundaries Draft for Discussion Background paper for the High-Level Panel of Eminent Persons on the Post-2015 Development Agenda Prepared by the co-chairs of the Sustainable Development Solutions Network Thematic Group on Macroeconomics, Population Dynamics, and Planetary Boundaries: Johan Rockström Executive Director, Stockholm Resilience Centre Professor of Environmental Science, Stockholm University Jeffrey D. Sachs Director, The Earth Institute, Columbia University Director, The Sustainable Development Solutions Network Special Advisor to Secretary-General Ban Ki-Moon on the Millennium Development Goals with Marcus C. Öhman Associate Professor and Senior Researcher in Ecology and Environmental Science, Stockholm Resilience Centre Guido Schmidt-Traub Executive Director, The Sustainable Development Solutions Network 15 March 2013 1 Draft for Discussion The world faces a serious challenge, indeed one that is unique to our age. Developing countries rightly...

Words: 10566 - Pages: 43

Premium Essay

Social Aspect

...Procedia - Social and Behavioral Sciences 00 (2011) 000–000 Procedia - Social and Behavioral Sciences 30 (2011) 1416 – 1424 Procedia Social and Behavioral Sciences www.elsevier.com/locate/procedia WCPCG 2011 The relationship between study skills and academic performance of university students Afsaneh Hassanbeigi a, Jafar Askari b, Mina Nakhjavanic, Shima Shirkhodad, Kazem Barzegar e, Mohammad R. Mozayyan f, Hossien Fallahzadehg * 1 b a Mental Hospital, Shahid Sadoughi University of Medical Sciences, Yazd, Iran Department of Psychology, Shahid Sadoughi University of Medical Sciences, Yazd, Iran c Medical Student, Shahid Sadoughi University of Medical Sciences, Yazd, Iran d Medical Student, Shahid Sadoughi University of Medical Sciences, Yazd, Iran e School of Medicine, Shahid Sadoughi University of Medical Sciences, Yazd, Iran f School of Medicine, Shahid Sadoughi University of Medical Sciences, Yazd, Iran g School of Health, Shahid Sadoughi University of Medical Sciences, Yazd, Iran Abstract Objective: The purpose of the present study was to investigate the relationship between various study skills and academic performance of university students. Materials & Methods: A total of 179 male and female junior and senior medical and dental students participated in the present study. The instrument was "Study Skills Assessment Questionnaire" taken from counseling services of Houston University. The content validity of this questionnaire was approved by ten psychologist and faculty...

Words: 6086 - Pages: 25

Premium Essay

Genetics Lectures

...letters to nature and 10 Na3HP2O7. FV solution also contained 0.2 NaF and 0.1 Na3VO4. Rarely, irreversible current rundown still occurred with FVPP. The total Na+ concentration of all cytoplasmic solutions was adjusted to 30 mM with NaOH, and pH was adjusted to 7.0 with N-methylglucamine (NMG) or HCl. PIP2 liposomes (20–200 nm) were prepared by sonicating 1 mM PIP2 (Boehringer Mannheim) in distilled water. Reconstituted monoclonal PIP2 antibody (Perspective Biosystems, Framingham, MA) was diluted 40-fold into experimental solution. Current–voltage relations of all currents reversed at EK and showed characteristic rectification, mostly owing to the presence of Na+ in FVPP and possibly also residual polyamines. Current records presented (measured at 30 C, −30 mV holding potential) are digitized strip-chart recordings. Purified bovine brain Gbg29 was diluted just before application such that the final detergent (CHAPS) concentration was 5 M. Detergent-containing solution was washed away thoroughly before application of PIP2, because application of phospholipid vesicles in the presence of detergent usually reversed the effects of Gbg; presumably, Gbg can be extracted from membranes by detergent plus phospholipids. Molecular biology. R188Q mutation was constructed by insertion of the mutant oligonucleotides between the Bsm1 and BglII sites of pSPORT– ROMK1 (ref. 11). A polymerase chain reaction (PCR) fragment (amino acids 180–391) from pSPORT–ROMK1 R188Q mutant was subcloned into pGEX2T...

Words: 7614 - Pages: 31

Free Essay

Drahgdrha

...Web  Video  Texts  Audio  Projects  About  Account  TVNews  OpenLibrary | | | | Home | American Libraries | Canadian Libraries | Universal Library | Community Texts | Project Gutenberg | Children's Library | Biodiversity Heritage Library | Additional Collections | Search:    Advanced Search | Anonymous User (login or join us) | Upload | Full text of "Natya Shastra of Bharata Muni Volume 1"THE NATYASASTRA A Treatise on Hindu Dramaturgy and Histrionics Ascribed to B ii A R A T A - M r X I Vol. I. ( Chapters I-XXVII ) Completely translated jor the jirst tune from the original Sanskrit tuttri «u Introduction and Various Notes M .U'OMOH A N liHOS H M.A., Pn. I). <OaU 2 Viu i95y CALCUTTA THE RoyiL ISIAJtC SOCIETY OF BENGAL Dedicated to the memory of thom great scholars of India. and the West mho by their indefatigable study and. ingenious interpretation of her Religion, Philosophy, Literature and Arts, have demon- strated the high ealiie of India- s culture to the World at large and ham helped her towa.nls a reawakening and political alteration., and who by their discovery of the Universal aspect of this culture have made patent India's spiritual kinship with the other ancient nations of the World and ham paved the way for an ultimate triumph of Internationalism. PREFACE The preparation 'of an annotated English translation of the Natya&stra entrusted...

Words: 220089 - Pages: 881

Premium Essay

Lincoln Electric Catalog

...Welding & Cutting Solutions 2016 Equipment Catalog TABLE OF CONTENTS Icons and Warranty Information . . . . . . . . . . . . . . . . . . . 2 Stick Welders . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 3-10 TIG Welders . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 11-20 MIG: Wire Feeder/Welders . . . . . . . . . . . . . . . . . . . . . . 21-30 MIG & FCAW: Industrial Welders . . . . . . . . . . . . . . . . . 31-34 Multi-Process Welders . . . . . . . . . . . . . . . . . . . . . . . . . 35-46 Advanced Process Welders . . . . . . . . . . . . . . . . . . . . . 47-58 Multi-Operator Welding Systems . . . . . . . . . . . . . . . 59-64 Engine Drives: Commercial . . . . . . . . . . . . . . . . . . . . . . 65-74 Engine Drives: Industrial . . . . . . . . . . . . . . . . . . . . . . . . 75-90 Semiautomatic Wire Feeders . . . . . . . . . . . . . . . . . . 91-110 Submerged Arc & Automatic Equipment . . . . . . . . 111-126 Welding Gear . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 127-152 Guns & Torches . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 153-170 Plasma Cutting . ...

Words: 56055 - Pages: 225

Premium Essay

Production Planning with Load Dependent Lead Times and

...Production Planning with Load Dependent Lead Times and Sustainability Aspects Institute of Information Systems Department of Business Sciences University of Hamburg In Partial Fulfillment of the Requirements for the Degree of Doktor der Wirtschaftswissenschaften (Dr. rer. pol.) Cumulative Dissertation submitted by Julia Pahl Head of board of examiners: Prof. Dr. Knut Haase First examiner: Prof. Dr. Stefan Voß Second examiner: Prof. Dr. Hartmut Stadtler Date of thesis discussion: 18. May 2012 Contents Table of Contents 1 I Framework of the Thesis 2 1 Production Planning with Load-Dependent Lead Times and Sustainability Aspects 1.1 List of Related Research Articles and Reports . . . . . . . . . . . . . . . . 1.2 Course of Research . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 1.3 Conclusions and Research Directions . . . . . . . . . . . . . . . . . . . . References . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 3 4 5 7 9 2 Cumulative Doctoral Thesis 2.1 Three Thematically Related Research Articles and Reports . . . . . . . . . 2.2 Co-Authors and Substantial Contribution of Candidate . . . . . . . . . . . 2.3 Publication of Research Articles and Reports . . . . . . . . . . . . . . . . 10 10 11 12 3 Curriculum Vitae 13 II Literature 21 1 Part I Framework of the Thesis 2 Chapter 1 Production Planning with Load-Dependent Lead Times and Sustainability...

Words: 148849 - Pages: 596

Free Essay

Green

...No. Nama Perguruan Tinggi AKADEMI AKUNTANSI PGRI JEMBER Nama Pengusul Sisda Rizqi Rindang Sari Program Kegiatan Judul Kegiatan 1 PKMK KUE TART CAENIS ( CANTIK, ENAK DAN EKONOMIS) BERBAHAN DASAR TAPE 2 AKADEMI FARMASI KEBANGSAAN Nensi MAKASSAR AKADEMI KEBIDANAN CITRA MEDIKA SURAKARTA AKADEMI KEBIDANAN GIRI SATRIA HUSADA AKADEMI KEPERAWATAN KERTA CENDIKA SIDOARJO AKADEMI KEPERAWATAN KERTA CENDIKA SIDOARJO AKADEMI KEPERAWATAN KERTA CENDIKA SIDOARJO Putri Purnamasari PKMK LILIN SEHAT AROMA KURINDU PANCAKE GARCINIA MANGOSTANA ( PANCAKE KULIT MANGGIS ) 3 PKMK 4 Latifah Sulistyowati PKMK Pemanfaatan Potensi Jambu Mete secara Terpadu dan Pengolahannya sebagai Abon Karmelin (Karamel Bromelin) : Pelunak Aneka Jenis Daging Dari Limbah Nanas Yang Ramah Lingkungan, Higienis Dan Praktis PUDING“BALECI”( KERES) MAKANAN BERSERATANTI ASAM URAT 5 Achmad PKMK Zainunddin Zulfi 6 Dian Kartika Sari PKMK 7 Radita Sandia PKMK Selonot Sehat (S2) Diit untuk Penderita Diabetes 8 AKADEMI PEREKAM Agustina MEDIK & INFO KES Wulandari CITRA MEDIKA AKADEMI PEREKAM MEDIK & INFO KES Anton Sulistya CITRA MEDIKA AKADEMI PEREKAM Eka Mariyana MEDIK & INFO KES Safitri CITRA MEDIKA AKADEMI PEREKAM MEDIK & INFO KES Ferlina Hastuti CITRA MEDIKA AKADEMI PEREKAM Nindita Rin MEDIK & INFO KES Prasetyo D CITRA MEDIKA AKADEMI PEREKAM MEDIK & INFO KES Sri Rahayu CITRA MEDIKA AKADEMI PERIKANAN YOGYAKARTA PKMK Kasubi Wingko Kaya Akan Karbohidrat...

Words: 159309 - Pages: 638

Premium Essay

Tuberculosis

...Strategies for Tuberculosis Control from Experiences in Manila: The Role of Public-Private Collaboration and of Intermittent Therapy INAUGURALDISSERTATION zur Erlangung der Würde eines Doktors der Philosophie vorgelegt der Philosophisch-Naturwissenschaftlichen Fakultät der Universität Basel von Christian Auer aus Bottmingen (BL) Basel, Mai 2003 Genehmigt von der Philosophisch-Naturwissenschaftlichen Fakultät der Universität Basel auf Antrag von Herrn Prof. Dr. Marcel Tanner und Herrn Professor Dr. Klaus M. Leisinger Basel, den 6. Mai 2003 Prof. Dr. Marcel Tanner Dekan DEDICATION In memory of Aling Tess and Mang Tony, former neighbours of mine, victims of tuberculosis, the unrestrained killer that terminates daily the lives of 5000 people. With the sincere hope and plea that some findings and thoughts of this dissertation will contribute to reducing tuberculosis and poverty. “The appalling global burden of tuberculosis at the turn of the millennium, despite the availability of effective control measures, is a blot on the conscience of humankind. For developing countries, the situation has become desperate and the "cursed duet" of tuberculosis and AIDS is having a devastating impact on large sections of the global community. The vital question is, can despair be turned to hope early in the next millennium?” John Grange and Almuddin Zumla, 1999 TABLE OF CONTENTS Acknowledgements Summary Zusammenfassung Abbreviations i iii vii...

Words: 23795 - Pages: 96