Visual Basic New Yet Another Kind of Loop

Size: px
Start display at page:

Download "Visual Basic New Yet Another Kind of Loop"

Transcription

1 Loop Basics Visual Basic New Yet Another Kind of Loop Isn t one way enough Up to this point we have looked at two types of loops The For_Next loop For counter_variable = starting_value to limiting_value step increment_value Next counter_variable Thursday, January 29, 2004 Loops - Part II 2 Loop Basics And the For Each_Next loop For Each collection_object In collection Loop Actions Next collection_object Loop Basics The For_Next loop is used to complete some action or actions a number of times based on counting from the starting_value to the ending_value in steps of the step_value Thursday, January 29, 2004 Loops - Part II 3 Thursday, January 29, 2004 Loops - Part II 4 1

2 Loop Basics The For Each_Next loop works on all the member of a collection performing the actions within the loop on every member of the collection Loop Basics There is a third type of loop that works based on a logical test that is made either before or after the loop executes This is a subtle point and one that can be easily missed One of these new types of loops is call a post-test loop, the other is known as a pretest loop Thursday, January 29, 2004 Loops - Part II 5 Thursday, January 29, 2004 Loops - Part II 6 All of these loops are collectively known as Do loops Even though they vary in form a bit, all have the characteristic that they are based on a logical condition Rather than count or work on all the members of a collection, we will check a logical condition each time we work on the loop The first form we will consider is the Do While Loop Do While logical_ Loop Thursday, January 29, 2004 Loops - Part II 7 Thursday, January 29, 2004 Loops - Part II 8 2

3 The flowchart form of this type of loop is Do While logical_ Loop As long as the logical evaluates to true, the loop will continue to execute Do While logical_ Loop Thursday, January 29, 2004 Loops - Part II 9 Thursday, January 29, 2004 Loops - Part II 10 Some statement inside of the loop must change a value so that the logical eventually evaluates to false If not, then the loop will continue to run as long as the computer is running the program Do While logical_ Do While logical_ Loop Loop Thursday, January 29, 2004 Loops - Part II 11 Thursday, January 29, 2004 Loops - Part II 12 3

4 This is a very long time unless you turn off the program and the machine Here is a very simple example of this type of loop Do While logical_ Loop Thursday, January 29, 2004 Loops - Part II 13 Thursday, January 29, 2004 Loops - Part II 14 We start out by setting to 0 This isn t a loop control variable as in the For_Next loops When we hit the loop for the first time, we evaluate the logical Thursday, January 29, 2004 Loops - Part II 15 Thursday, January 29, 2004 Loops - Part II 16 4

5 Since 0 is less than 20, it evaluates true and we execute the statements inside the loop The statement inside the loop adds 1 to In the For_Next loop, we were prohibited for changing the value inside the loop Here we must have something to change a variable which would change the evaluation of the logical controlling the loop of the loop will never stop executing Thursday, January 29, 2004 Loops - Part II 17 Thursday, January 29, 2004 Loops - Part II 18 What number would you expect to be in cell A1 after this program executes? 19 or 20? What number would you expect to be in cell A1 after this program executes? 19 or 20? Thursday, January 29, 2004 Loops - Part II 19 Thursday, January 29, 2004 Loops - Part II 20 5

6 The loop will only stop executing when the condition evaluates to false The evaluation is only false if is not less than 20 At equal to 19, the evaluation is true so the loop continues At equal to 20, the evaluation is false so the loop terminates Thursday, January 29, 2004 Loops - Part II 21 Thursday, January 29, 2004 Loops - Part II 22 w we are going to change the program slightly and see if we can predict what the program will do Rather than adding 1 each time through the loop we are adding 3 We can make a table of events and values and see what is happening in the loop Thursday, January 29, 2004 Loops - Part II 23 Thursday, January 29, 2004 Loops - Part II 24 6

7 We will start at the first entry to the loop 0 <20? true Since the logical condition is true we make a pass through the loop 3 <20? true Thursday, January 29, 2004 Loops - Part II 25 Thursday, January 29, 2004 Loops - Part II 26 Since the logical condition is still true we make another pass through the loop Since the logical condition is still true we make another pass through the loop <20? <20? 6 true 9 true Thursday, January 29, 2004 Loops - Part II 27 Thursday, January 29, 2004 Loops - Part II 28 7

8 Since the logical condition is still true we make another pass through the loop Since the logical condition is still true we make another pass through the loop <20? <20? 12 true 15 true Thursday, January 29, 2004 Loops - Part II 29 Thursday, January 29, 2004 Loops - Part II 30 Since the logical condition is still true we make another pass through the loop Since the logical condition is still true we make another pass through the loop <20? <20? 18 true 21 true Thursday, January 29, 2004 Loops - Part II 31 Thursday, January 29, 2004 Loops - Part II 32 8

9 w at the top of the loop the condition evaluates to false and we exit the loop When this happens, we exit the loop <20? <20? 21 false 21 false Thursday, January 29, 2004 Loops - Part II 33 Thursday, January 29, 2004 Loops - Part II 34 The order in this type of loop is Test the logical condition If it evaluates to true Execute the statements inside the loop If it evaluates to false Exit the loop There must be something within the loop that will eventually change the logical evaluation from true to false Thursday, January 29, 2004 Loops - Part II 35 Thursday, January 29, 2004 Loops - Part II 36 9

10 If the logical condition evaluates to false before the first execution of the loop then the loop never evaluates In the loop at the right, the loop will never execute because is already >= 20 before we enter the loop Thursday, January 29, 2004 Loops - Part II 37 Thursday, January 29, 2004 Loops - Part II 38 A slightly different form of a pretest loop is the Do Until.Loop form In this case, we will execute the loop until the logical condition becomes true tice that the and branches have reversed places w the loop will continue to execute until the logical condition becomes true Thursday, January 29, 2004 Loops - Part II 39 Thursday, January 29, 2004 Loops - Part II 40 10

11 We can change the code from our previous example to utilize this type of loop tice that we have changed our logical from < 20 to >= 20 This is because we want to execute the loop until this is achieved Thursday, January 29, 2004 Loops - Part II 41 Thursday, January 29, 2004 Loops - Part II 42 Side By Side Comparison Side By Side Comparison We can run the programs side by side and see how each operates. Thursday, January 29, 2004 Loops - Part II 43 We can run the programs side by side and see how each operates. Do While <20? Do Until >=20? Thursday, January 29, 2004 Loops - Part II 44 11

12 Side By Side Comparison Side By Side Comparison We start each program and go to the point where we give a value to. Do While Do Until <20? >=20? 0 0 Thursday, January 29, 2004 Loops - Part II 45 w we move to the top of the loop for the first time and make t he test. Do While Do Until <20? >=20? 0 True 0 False Thursday, January 29, 2004 Loops - Part II 46 Side By Side Comparison Side By Side Comparison When we go back to the top of each loop, we check the logical conditions again. Again, we execute. Do While Do Until <20? >=20? 6 True 6 False Thursday, January 29, 2004 Loops - Part II 47 When we go back to the top of each loop, we check the logical conditions again. Again, we execute. Do While Do Until <20? >=20? 9 True 9 False Thursday, January 29, 2004 Loops - Part II 48 12

13 Side By Side Comparison Side By Side Comparison When we go back to the top of each loop, we check the logical conditions again. Again, we execute. Do While Do Until <20? >=20? 12 True 12 False Thursday, January 29, 2004 Loops - Part II 49 When we go back to the top of each loop, we check the logical conditions again. Again, we execute. Do While Do Until <20? >=20? 15 True 15 False Thursday, January 29, 2004 Loops - Part II 50 Side By Side Comparison Side By Side Comparison When we go back to the top of each loop, we check the logical conditions again. Again, we execute. Do While Do Until <20? >=20? 18 True 18 False Thursday, January 29, 2004 Loops - Part II 51 When we go back to the top of each loop, we check the logical conditions again. Again, we execute. Do While Do Until <20? >=20? 21 True 21 False Thursday, January 29, 2004 Loops - Part II 52 13

14 Side By Side Comparison Side By Side Comparison w when we get back to the top of each loop, both logical s change value Do While Do Until <20? >=20? 21 False 21 True The exit conditions for both loops are satisfied. Do While <20? 21 False Do Until >=20? 21 True Thursday, January 29, 2004 Loops - Part II 53 Thursday, January 29, 2004 Loops - Part II 54 Side By Side Comparison The Do While executed as long as the logical test at the beginning of the loop is true The Do Until executed as long as the logical test at the beginning of the loop is false You might be asking who have two ways to do essentially the same thing. The main difference is in how you want to frame the exit conditions from the loop. If you want to exit when a condition is true, use a Do Until Loo p If you want to exit when a condition if false, use a Do While Loop Old Program Revisited- We looked at a way to find the balance elevation by submitting better guesses as we executed the program We took advantage of using a loop (FOR_NEXT LOOP) to do all the cells within a selection w we can expand this just a bit Thursday, January 29, 2004 Loops - Part II 55 Thursday, January 29, 2004 Loops - Part II 56 14

15 Consider this code Consider this code There are a number of new features in this code. Look over the code and determine if you can tell what it is doing. Thursday, January 29, 2004 Loops - Part II 57 Thursday, January 29, 2004 Loops - Part II 58 Homework In 1112, you used the bisection method to solve for the root of a function That method can also be used to make this program much more efficient For Monday the 2 nd, you should submit a flow chart for a program to do what this program does but uses the Method of Bisection rather than how we have done this today Homework This is a formal submission You can review the details of the Bisection method on Dr. Camp s 1112 web site at Thursday, January 29, 2004 Loops - Part II 59 Thursday, January 29, 2004 Loops - Part II 60 15

16 New Type of Loop And here is a run with a really great guess Thursday, January 29, 2004 Loops - Part II 61 16

What Is Liquid Subcooling?

What Is Liquid Subcooling? VA Lake City Florida Rob, Though I still haven t received the information from the contractor for this project, I have done some preliminary work on it. One thing of concern to me is something that you

More information

Engine room fire caused by failed fuel pipe

Engine room fire caused by failed fuel pipe March 2018 Engine room fire caused by failed fuel pipe The fire alarm suddenly sounded on the bridge. The master was on the bridge and acknowledged the alarm. It was evening and the 2nd officer was the

More information

An Introduction to NetLogo

An Introduction to NetLogo AnthropologischeGesellschaftWien An Introduction to NetLogo Gabriel Wurzer, Vienna University of Technology www.iemar.tuwien.ac.at Netlogo free* agent-based simulation environment by Uri Wilensky, Northwestern

More information

Residential Demand Controller Program

Residential Demand Controller Program Residential Demand Controller Program Instructional manual Energy Sentry models 9312 Align mark to the right with right edge of document. Table of Contents Introduction and overview... 1 System description...

More information

Science of Life Explorations

Science of Life Explorations Science of Life Explorations Student Scientists: Make Your Bed Activity #1 Your Garden Space We re not talking about your bed... we mean your... bed. Your garden bed! Whether you are going to have a garden

More information

Sunday January 30, 2011

Sunday January 30, 2011 Monday January 31, 2011 No Case Assigned: No narrative identified with this case number (Case 1110-55-OF). Well-Being Check: Officers were dispatched to Prescott for a well-being check on a student based

More information

HYDROPONICS AND GREEN HOUSE CONTROLLER MODEL HGC-003 OWNER'S MANUAL FAN MAX TEMPERATURE LAMP DURATION FAN MAX HUMIDITY PUMP INTERVAL DECREASE

HYDROPONICS AND GREEN HOUSE CONTROLLER MODEL HGC-003 OWNER'S MANUAL FAN MAX TEMPERATURE LAMP DURATION FAN MAX HUMIDITY PUMP INTERVAL DECREASE HYDROPONICS AND GREEN HOUSE CONTROLLER MODEL HGC-003 OWNER'S MANUAL REMOTE FLOOD AM PM PHOTO F rh PPM TEMPERATURE HUMIDITY SELECT RUN LAMP START FAN MAX TEMPERATURE LAMP DURATION FAN MAX HUMIDITY PUMP

More information

dissipation: air conditioning, compressed air and heat exchangers. Air conditioning was

dissipation: air conditioning, compressed air and heat exchangers. Air conditioning was Heat Exchangers vs. Air Conditioning: The Optimal Choice for Cooling Electronics Written by Kimberley Dawn, chief executive officer, Noren Products Exclusively for Process Cooling Submitted by Trade Press

More information

PIFA PlussPF4 RAPID ASSAY TRAINING QUIZ

PIFA PlussPF4 RAPID ASSAY TRAINING QUIZ 1. What is the purpose of the serastat blood cell separator, which is used in conjunction with the PIFA PlussPF4 assay? A. It is used to separate serum from the patient s plasma sample B. It is used to

More information

By Chris Eckert, President, Sologic A version of this article appeared in the September 2010 issue of Pumps & Systems magazine.

By Chris Eckert, President, Sologic A version of this article appeared in the September 2010 issue of Pumps & Systems magazine. Slow Down and Think Casually to Solve Pump Problems Avoid repeat failures and lost production or profits by using a structured approach to problem solving. By Chris Eckert, President, Sologic A version

More information

PIFA Heparin Platelet Factor 4 ( PIFA HPF4 ) Rapid Assay IQCP QUIZ. 1. How would a technician verify their PIFA HPF4 device is within expiration?

PIFA Heparin Platelet Factor 4 ( PIFA HPF4 ) Rapid Assay IQCP QUIZ. 1. How would a technician verify their PIFA HPF4 device is within expiration? 1. How would a technician verify their PIFA HPF4 device is within expiration? A. Check for expiration on the PIFA HPF4 kit box B. PIFA HPF4 devices never expire C. Check for expiration on the PIFA HPF4

More information

Sleeping Seeds and the Scientific Method

Sleeping Seeds and the Scientific Method Sleeping Seeds and the Scientific Method Objectives Skills Students investigate seed dormancy Students discover treatments to break dormancy Students learn how scientists investigate phenomena Students

More information

PG50 Detection Gate ( : 1-loop, : 2-loop)

PG50 Detection Gate ( : 1-loop, : 2-loop) Fact sheet PG50 Detection Gate (9943269: 1-loop, 9943277: 2-loop) Your library s collection is a valued community investment. To protect these library resources you can use the Library Solutions Security

More information

A: The last radiators might not be able to heat the rooms they serve on the coldest days of the year. Your system would be out of balance.

A: The last radiators might not be able to heat the rooms they serve on the coldest days of the year. Your system would be out of balance. A: The last radiators might not be able to heat the rooms they serve on the coldest days of the year. Your system would be out of balance. Q: How likely am I to run into this imbalance problem? A: It all

More information

ATM s and Humidity Are YOUR ATMs at Risk?

ATM s and Humidity Are YOUR ATMs at Risk? ATM s and Humidity Are YOUR ATMs at Risk? by Charles Rempel, Guardian Rod Technical Manager Conditions such as excessive heat, humidity, moisture and cold can damage or lessen the performance of your ATM.

More information

The Book of AERMEC NRL Sequence of Operation

The Book of AERMEC NRL Sequence of Operation The Book of AERMEC NRL Sequence of Operation Heating and cooling operation. 2 Sequence of operation Aermec air to water chiller/heat pump use Hydronic s in conjunction with refrigerant to provide heating

More information

WeatherLink for Alarm Output Addendum

WeatherLink for Alarm Output Addendum WeatherLink for Alarm Output Addendum Introduction This Streaming Data Logger is designed to provide an electrical interface between a Vantage Pro or Vantage Pro2 weather station console or Weather Envoy

More information

COMP201: Software Engineering I. Assignment 1, Part 2 (2017/2018) (100% mark for Assignment 1 is 10% of COMP201 grade)

COMP201: Software Engineering I. Assignment 1, Part 2 (2017/2018) (100% mark for Assignment 1 is 10% of COMP201 grade) COMP201: Software Engineering I Assignment 1, Part 2 (2017/2018) (100% mark for Assignment 1 is 10% of COMP201 grade) Deadline for Assignment 1, (Part 1 and 2): 30 th of October 2017, 17:00 Please submit

More information

In order to survive and grow,

In order to survive and grow, ACTIVITY Summary: Participants explore plant needs with live plants. Grade Level: 1-8 Time: 3 or more 30-minute sessions over four weeks Learning Objectives: Participants will be able to: Identify the

More information

Policy for safe working on Fire Alarm Systems at Loughborough University and Loughborough University in London

Policy for safe working on Fire Alarm Systems at Loughborough University and Loughborough University in London Policy for safe working on Fire Alarm Systems at Loughborough University and Loughborough University in London Scope of document General This document sets out the procedure for the management and control

More information

1 Objective. 06. June 2013

1 Objective. 06. June 2013 Polar regeneration of auxin induced adventitious roots in hypocotyls of beans Regeneration of Linum usitatissimum seedlings Comparison of internodal growth of dwarf and normal peas Comparison of development

More information

New Generation Loudspeakers

New Generation Loudspeakers Document: New Generation Loudspeakers Version: 2015-2 Date: 10.11.2015 New Generation Loudspeakers Now developing the new generation loudspeakers Good sound is addictive. It makes you want to hear just

More information

Helicoil and Shell-Tube Heat Exchanger. Abdullah AlThomairi, Ahmed Sajjad, and Faris AlShuaibi. October 25, 2014

Helicoil and Shell-Tube Heat Exchanger. Abdullah AlThomairi, Ahmed Sajjad, and Faris AlShuaibi. October 25, 2014 Helicoil and Shell-Tube Heat Exchanger Abdullah AlThomairi, Ahmed Sajjad, and Faris AlShuaibi October 25, 2014 Submitted to: NORTHEASTERN UNIVERSITY Department of Chemical Engineering CHME 3313 Transport

More information

VAC PLC. System Description

VAC PLC. System Description VAC PLC System Description Contents 1 General... 5 1.1 Expressions and phrases... 5 1.2 Locations... 5 1.3 Abbreviations and terms... 6 1.4 Function... 6 1.5 Parts... 7 1.5.1 PLC... 7 1.5.2 Point IO...

More information

Copyright 2014 Edmentum - All rights reserved.

Copyright 2014 Edmentum - All rights reserved. Study Island Copyright 2014 Edmentum - All rights reserved. Generation Date: 12/10/2014 Generated By: Cheryl Shelton Title: Grade 5 Blizzard Bag 2014-2015 Science - Day 1 1. Tyrone poured two cups of water

More information

GSE PAC SYSTEM AMBIENCE UNIT USER MANUAL

GSE PAC SYSTEM AMBIENCE UNIT USER MANUAL AEROVOLTAIC GSE PAC SYSTEM GSE PAC SYSTEM AMBIENCE UNIT USER MANUAL Air recovery and redistribution system for home heating and cooling Non-contractual photos www.gsepacsystem.com Congratulations! You

More information

and Extension Ag & Natural Resources Agent. In recent weeks I ve been periodically talking

and Extension Ag & Natural Resources Agent. In recent weeks I ve been periodically talking Gardening Tips for January 30 - February 5, 2017 Starting your own transplants and Extension Ag & Natural Resources Agent. In recent weeks I ve been periodically talking about starting your own transplants

More information

Alarms Updated 03/26/2018

Alarms Updated 03/26/2018 Updated 03/26/2018 Table of Contents Alarms Alarms in OneView...1 Types of Alarms...1 Setting up Alarms...2 Alarm Configuration...4 Customize Alarm Parameters...5 List of Configured Alarms...7 Acknowledging

More information

Creating a Passive Solar Water Heating System

Creating a Passive Solar Water Heating System Creating a Passive Solar Water Heating System December 3, 26 Environmental Science 12 Fall 26 Created by: Dan Jacobs Maria K. Chaconas Introduction Challenge: In this course we all acted as research scientists

More information

Using ECM Smart Circulator Pumps in Primary Pump Applications in Hydronic Systems

Using ECM Smart Circulator Pumps in Primary Pump Applications in Hydronic Systems Monday, November 27, 2017 Using ECM Smart Circulator Pumps in Primary Pump Applications in Hydronic Systems Monday Morning Minutes by Norm Hall, November 27, 2017 Last week I featured the ECM High-Efficiency

More information

Preliminary concept information. Green cities fund

Preliminary concept information. Green cities fund Preliminary concept information Green cities fund About the Green Cities Fund The purpose of the Green Cities fund is to invest in strategic, longer term research which drives a measurable increase in

More information

In recent years the Hungarian Fire Protection Regulation has changed much more frequently and in greater extent than in previous years.

In recent years the Hungarian Fire Protection Regulation has changed much more frequently and in greater extent than in previous years. In recent years the Hungarian Fire Protection Regulation has changed much more frequently and in greater extent than in previous years. National Fire Protection Regulations (NFR) is the"bible" of fire

More information

TOTAL SYSTEM EFFICIENCY: SYSTEM APPLICATIONS & DESIGNS. David Grassl PE Mechanical Engineer Principal

TOTAL SYSTEM EFFICIENCY: SYSTEM APPLICATIONS & DESIGNS. David Grassl PE Mechanical Engineer Principal TOTAL SYSTEM EFFICIENCY: SYSTEM APPLICATIONS & DESIGNS David Grassl PE Mechanical Engineer Principal Similar to traditional boiler systems, condensing boiler systems have many designs they can operate

More information

Font should be size 12 and Times New Roman or Arial.

Font should be size 12 and Times New Roman or Arial. -Hi 6 th Graders! Please follow the directions below to complete your Research Plan Homework. Due Dates: 6B, C, D 9/24 (Sat) 6A, E 9/25 (Sun) STEP 1: Use the template provided to you on pages 2-3 of this

More information

Vegetable Gardening Award Application

Vegetable Gardening Award Application Mississippi Homemaker Volunteers Vegetable Gardening Award Application Objectives To improve gardening skills To develop garden record keeping skills To encourage applicants to share their knowledge with

More information

HOKKIM INTEGRATED AMF CONTROL BOARD MANUAL FOR MODELS: HAMF-8 AND HAMF-4

HOKKIM INTEGRATED AMF CONTROL BOARD MANUAL FOR MODELS: HAMF-8 AND HAMF-4 HOKKIM INTEGRATED AMF CONTROL BOARD MANUAL FOR MODELS: HAMF-8 AND HAMF-4 INTRODUCTION Thank you for purchasing the Hokkim Integrated Automatic Mains Failure Control Board model HAMF- 8 or HAMF-4. We shall

More information

OpenDevice Events Guide

OpenDevice Events Guide OpenDevice Events Guide 2016 United Lenel is a part of UTC Climate, Controls & Security, a unit of United July 19, 2016 1 Table of Contents Open Device Events... 3 Granted Access Events... 8 Denied Events...

More information

List of Equipment, Tools, Supplies, and Facilities:

List of Equipment, Tools, Supplies, and Facilities: Unit C: Traits of Soil Lesson 2: Calculating Density of Soil Student Learning Objectives: Instruction in this lesson should result in the students achieving the following objectives: 1. Understand the

More information

EQ-ROBO Programming : Cliff Check Robot

EQ-ROBO Programming : Cliff Check Robot EQ-ROBO Programming : Cliff Check Robot Program begin a Input port setting Output port setting LOOP starting point (Repeat the command) b Condition 1 Left b IR sensor : Detect the ground Right a IR sensor

More information

Powerful Classroom Assessment: Super Grow Sample Student Responses for Writing a Conclusion SR1

Powerful Classroom Assessment: Super Grow Sample Student Responses for Writing a Conclusion SR1 Sample Student Responses for Writing a Conclusion SR1 Super Grow decreases the time the pea plant will mature by quite a bit. In container #1 the pea took 70 days to mature, but in container #2 it only

More information

Combining Old and New Systems in Existing Buildings and Other Retrofit Tales. By Paul Jewett CFAA Technician Number 11

Combining Old and New Systems in Existing Buildings and Other Retrofit Tales. By Paul Jewett CFAA Technician Number 11 Combining Old and New Systems in Existing Buildings and Other Retrofit Tales By Paul Jewett CFAA Technician Number 11 Combining Old and New Systems in Existing Buildings and Other Retrofit Tales Disclaimer

More information

Praxis Design/Build Studio Spring 2017:

Praxis Design/Build Studio Spring 2017: Rutgers, The State University of New Jersey School of Environmental and Biological Sciences Department of Landscape Architecture Praxis Design/Build Studio Spring 2017: Transforming Blighted Housing into

More information

Research Newsletter No. 35. October Bill Miller

Research Newsletter No. 35. October Bill Miller October 2016 This Flower Bulb Research Program Newsletter is published by Anthos, Royal Dutch Trade Association for Nurserystock and Flowerbulbs in cooperation with Dr. Bill Miller of Cornell University.

More information

AnthropologischeGesellschaftWien. Model Building. Gabriel Wurzer, Vienna University of Technology

AnthropologischeGesellschaftWien. Model Building. Gabriel Wurzer, Vienna University of Technology AnthropologischeGesellschaftWien Model Building Gabriel Wurzer, Vienna University of Technology www.iemar.tuwien.ac.at PREFACE or: filling the academical quarter When things go wrong, or: HOW TO DEBUG

More information

Practical Distributed Control Systems (DCS) for Engineers & Technicians. Contents

Practical Distributed Control Systems (DCS) for Engineers & Technicians. Contents Practical Distributed Control Systems (DCS) for Engineers & Technicians Contents Chapter 1 Introduction to Computer Based Control Systems 1 1.1 Introduction to computer based measurement and control systems

More information

Flow Reversal in Primary/Secondary Systems by John Siegenthaler, P.E. April 17, 2007

Flow Reversal in Primary/Secondary Systems by John Siegenthaler, P.E. April 17, 2007 Flow Reversal in Primary/Secondary Systems by John Siegenthaler, P.E. April 17, 2007 When flow reversal occurs, the heat transfer from the secondary circuit is mostly unaffected, as are the other secondary

More information

You finally make it home after a long shift, shower,

You finally make it home after a long shift, shower, Clinical Alarm Safety and the 2016 HTF Clinical Alarm Survey by Ronda Bradley, MS, RRT, FAARC, and Shawna Strickland, PhD, RRT-NPS, RRT-ACCS, AE-C, FAARC You finally make it home after a long shift, shower,

More information

Horizontal Well Downhole Dynamometer Data Acquisition

Horizontal Well Downhole Dynamometer Data Acquisition 11 th Annual Sucker Rod Pumping Workshop Renaissance Hotel Oklahoma City, Oklahoma September 15-18, 2015 Horizontal Well Downhole Dynamometer Data Acquisition Project sponsored by ALRDC Chair: Victoria

More information

Part 1: Playing with Electricity

Part 1: Playing with Electricity Foreword by Joe Grand... Acknowledgments... xix xxi Introduction xxiii About This Book...xxiv Who Should Read This Book...xxiv How to Read This Book....xxiv What s in This Book?....xxv Your Electronics

More information

MACH CI. (Condensing-Indirect) Water Heating

MACH CI. (Condensing-Indirect) Water Heating Republished June 21st, 2017 MACH CI (Condensing-Indirect) Water Heating Abstract: Limited pressure vessel life expectancy due to scale-up and high pressure vessel replacement costs mean that owners of

More information

Dell DR Series Appliance Cleaner Best Practices

Dell DR Series Appliance Cleaner Best Practices Dell DR Series Appliance Cleaner Best Practices Dell Engineering June 2016 A Dell Best Practices Document Revisions Date July 2016 Description Initial release THIS WHITE PAPER IS FOR INFORMATIONAL PURPOSES

More information

Energy Efficiency. Intercept HDDperDay <2e 16 kwhperday

Energy Efficiency. Intercept HDDperDay <2e 16 kwhperday Energy Efficiency Energy Use of the Eco House Ben Francis Introduction: Three years ago one of the small houses owned by the college was altered with the goal of being more energy efficient. Among the

More information

Draft Document. A 15 Year Update on the Impact and Effectiveness of the Scottsdale Sprinkler Ordinance

Draft Document. A 15 Year Update on the Impact and Effectiveness of the Scottsdale Sprinkler Ordinance Draft Document A 15 Year Update on the Impact and Effectiveness of the Scottsdale Sprinkler Ordinance 15 Years of Built-in Automatic Fire Sprinklers: The Scottsdale Experience Jim Ford Assistant Chief

More information

Verasys System Operation Overview Technical Bulletin

Verasys System Operation Overview Technical Bulletin Contents subject to change. Verasys System Operation Overview Technical Bulletin Code No. LIT-12012370 Issued January 2016 Refer to the QuickLIT Web site for the most up-to-date version of this document.

More information

Quality Assurance/ Quality Control. Topic 4 - Audio 46. Key Points

Quality Assurance/ Quality Control. Topic 4 - Audio 46. Key Points Topic 4 - Audio 46 Key Points : Measures taken to increase confidence in results. Quality Assurance: Program that assures that measures are being done and in a timely manner. Precision: How close measurements

More information

EQ-ROBO Programming : Line tracer with 3 IR sensors

EQ-ROBO Programming : Line tracer with 3 IR sensors EQ-ROBO Programming : Line tracer with 3 IR sensors Program begin Input port setting c b Output port setting Set the servo motor to the 150 degree The line tracer with 3 IR sensors runs following the black

More information

DR Series Appliance Cleaner Best Practices. Technical Whitepaper

DR Series Appliance Cleaner Best Practices. Technical Whitepaper DR Series Appliance Cleaner Best Practices Technical Whitepaper Quest Engineering November 2017 2017 Quest Software Inc. ALL RIGHTS RESERVED. THIS WHITE PAPER IS FOR INFORMATIONAL PURPOSES ONLY, AND MAY

More information

BEDFORD BOROUGH COUNCIL PLAN IMPLEMENTATION MONITORING REPORT

BEDFORD BOROUGH COUNCIL PLAN IMPLEMENTATION MONITORING REPORT BEDFORD BOROUGH COUNCIL PLAN IMPLEMENTATION MONITORING REPORT 2017-18 Summary 1 Progress on local development documents 1 Local development documents adopted in the monitoring period 1st April 2017 31st

More information

Net/X Thermostat Network Installation and Troubleshooting Guide

Net/X Thermostat Network Installation and Troubleshooting Guide Net/X Thermostat Network Installation and Troubleshooting Guide Introduction This document contains basic procedures that can be used when installing the Net/X Thermostat network. It is highly recommended

More information

An improved Algorithm of Generating Network Intrusion Detector Li Ma 1, a, Yan Chen 1, b

An improved Algorithm of Generating Network Intrusion Detector Li Ma 1, a, Yan Chen 1, b An improved Algorithm of Generating Network Intrusion Detector Li Ma 1, a, Yan Chen 1, b 1 Department of Information Engineering Guilin University of Aerospace Technology, Guilin China a E-mail: woshiml@sina.com,

More information

CULTURE Dr. Gary C. Pavlis, Ph.D. Atlantic County Agricultural Agent AT A GLANCE

CULTURE Dr. Gary C. Pavlis, Ph.D. Atlantic County Agricultural Agent AT A GLANCE The BLUEBERRY BULLETIN A Weekly Update to Growers 6260 Old Harding Highway, NJ 08330 Phone: 609/625-0056 Fax: 609/625-3646 Email: pavlis@njaes.rutgers.edu April 20, 2015 Vol. XXXI No. 3 AT A GLANCE BLUEBERRY

More information

EMERGENCY CALL: 911 or 9-911

EMERGENCY CALL: 911 or 9-911 EMERGENCY PROCEDURES Folke Bernadotte Memorial Library Gustavus Adolphus College St. Peter, Minnesota EMERGENCY CALL: 911 or 9-911 Secondary Emergency: (not life threatening) x8888 Revised January 2018

More information

Growing Basil Indoors: Step by Step Instructions

Growing Basil Indoors: Step by Step Instructions Growing Basil Indoors: Step by Step Instructions Please note, if you do not want to invest in a dome, you can start your basil in plastic egg cartons and use the top as a dome, or a plastic salad container.

More information

Factoids on SC soils. Soils. What is Soil? Variability of soils in your yard. Soil Components. Soil Tilth 6/23/14

Factoids on SC soils. Soils. What is Soil? Variability of soils in your yard. Soil Components. Soil Tilth 6/23/14 Factoids on SC soils Soils Managing Soils Over 100 different soil types Soil type covering largest areas 7.0% Ben Lomond Complex 50-70% slope 5.6% Lompoc Felton Complex 50-75% slope 5.8% Lompoc Felton

More information

Thermal Energy Worksheets

Thermal Energy Worksheets Thermal Energy Worksheets Say Thanks to the Authors Click http://www.ck12.org/saythanks (No sign in required) To access a customizable version of this book, as well as other interactive content, visit

More information

Batt-Safe Battery String Monitoring System

Batt-Safe Battery String Monitoring System Batt-Safe Battery String Monitoring System Technical White Paper October 2010 Introduction Battery monitoring systems are categorized as either cell monitors or string monitors. Battery cell monitors provide

More information

Ramon 2.2 Radon-Monitor

Ramon 2.2 Radon-Monitor Ramon 2.2 Radon-Monitor Applications Measurement Modes - Technology - Quality Extratech Engineering, Technology, Software & Training - by 3DLiFe srl Via Torraca, 76-85100 Potenza (PZ) Tel/Fax. (+39) 0971.21.432

More information

Pla,nts That Are Protected from ~. c. A. Boyles and P. G. Koehler*

Pla,nts That Are Protected from ~. c. A. Boyles and P. G. Koehler* ---.. ' ---------- 4H-371 Pla,nts That Are Protected from ~. c. A. Boyles and P. G. Koehler* Statement of Purpose In the 1960's and 1970's, people began to worry about the harmful effects of pesticides

More information

Cistern Connections. Overview: Active rainwater collection systems can be comprised of a few simple and inexpensive components.

Cistern Connections. Overview: Active rainwater collection systems can be comprised of a few simple and inexpensive components. Cistern Connections Overview: Youth use games and either a cistern model or actual cistern to identify components, vocabulary, and processes for active rainwater harvesting systems. Active rainwater collection

More information

TOTAL SYSTEM EFFICIENCY: CONDENSING BOILER SYSTEM MYTH BUSTING. David Grassl PE Mechanical Engineer Principal

TOTAL SYSTEM EFFICIENCY: CONDENSING BOILER SYSTEM MYTH BUSTING. David Grassl PE Mechanical Engineer Principal TOTAL SYSTEM EFFICIENCY: CONDENSING BOILER SYSTEM MYTH BUSTING David Grassl PE Mechanical Engineer Principal There are many reasons why engineers have been led to believe that condensing boilers do not

More information

FlexPS. Architectural & Engineering. Specification for FlexPS. Architectural/Engineering Specification for a

FlexPS. Architectural & Engineering. Specification for FlexPS. Architectural/Engineering Specification for a Architectural/Engineering Specification for a Fence-Mounted Perimeter Intrusion Detection System FlexPS Disclaimer Senstar, and the Senstar logo are registered trademarks, and FlexPS, Silver Network and

More information

Emergency Evacuation. Made Simple. EVACUATION STRATEGIES - PROBLEMS & SOLUTIONS EXPLAINED Alan Oliver

Emergency Evacuation. Made Simple. EVACUATION STRATEGIES - PROBLEMS & SOLUTIONS EXPLAINED Alan Oliver Emergency Evacuation. Made Simple EVACUATION STRATEGIES - PROBLEMS & SOLUTIONS EXPLAINED Alan Oliver TagEvac is the trusted, proven and safe way to manage evacuation of your building. Using intuitive information

More information

Security Management System - Configuring Video Analytics

Security Management System - Configuring Video Analytics Introduction This document describes the steps for configuring the Video Analytics (VA) module available in the Security Management System software. Security Management System video analytics module is

More information

WaterFurnace FX10 Application Guide Reversible Chiller

WaterFurnace FX10 Application Guide Reversible Chiller 2011 WaterFurnace FX10 Application Guide Reversible Chiller Introduction This manual provides information about the FX10 Water Source Heat Pump (WSHP) controller as it relates to dual compressor water

More information

SYNOPSIS. Part-Load Control Strategies for Packaged Rooftop Units. In this issue... Bin Hour Profile Charlotte, NC

SYNOPSIS. Part-Load Control Strategies for Packaged Rooftop Units. In this issue... Bin Hour Profile Charlotte, NC VOLUME ONE NUMBER THREE SYNOPSIS A N H V A C N E W S L E T T E R F O R B U I L D I N G O W N E R S A N D M A N A G E R S In this issue... Part-Load Strategies Why they re important.......... 1 What Things

More information

5 Cool Tips for Getting the Right Air Conditioning System pg. 1

5 Cool Tips for Getting the Right Air Conditioning System pg. 1 5 Cool Tips for Getting the Right Air Conditioning System pg. 1 INTRODUCTION When the time comes to consider buying a new air conditioning system, a little research can help you find the ideal system for

More information

CAC OVERVIEW. CAC Roles and Responsibilities CAC Operations CAC Membership CAC DAC Relations

CAC OVERVIEW. CAC Roles and Responsibilities CAC Operations CAC Membership CAC DAC Relations CAC OVERVIEW CAC Roles and Responsibilities CAC Operations CAC Membership CAC DAC Relations 1 Purpose of This Overview To increase the level of awareness of CAC members so that they know what is expected

More information

DEXTER STACK DRYER PROGRAMMING PROCEDURES AND FEATURES

DEXTER STACK DRYER PROGRAMMING PROCEDURES AND FEATURES DEXTER STACK DRYER PROGRAMMING PROCEDURES AND FEATURES DESCRIPTION OF CONTROL The single electronic control unit controls all coin counting, timing, temperature control and displaying of information for

More information

Lesson Objectives. Core Content Objectives. Language Arts Objectives

Lesson Objectives. Core Content Objectives. Language Arts Objectives The Life Cycle of a Plant 3 Lesson Objectives Core Content Objectives Students will: Explain that seeds are the beginning of new plants Explain the basic life cycle of plants Language Arts Objectives The

More information

*NORMALLY CLOSED - ENTRAPMENT PROTECTION FAQ. UL Standard for Safety Frequently Asked Questions

*NORMALLY CLOSED - ENTRAPMENT PROTECTION FAQ. UL Standard for Safety Frequently Asked Questions *NORMALLY CLOSED - ENTRAPMENT PROTECTION FAQ UL 325-2016 Standard for Safety Frequently Asked Questions Transition to UL 325-2016 - effective for gate operators manufactured after January 11, 2016 1-800-321-9947

More information

Home Energy Audit. Overview. Objectives. Time Requirements. Materials. Procedure CON EDISON WEB-BASED MIDDLE SCHOOL ACTIVITY

Home Energy Audit. Overview. Objectives. Time Requirements. Materials. Procedure CON EDISON WEB-BASED MIDDLE SCHOOL ACTIVITY CON EDISON WEB-BASED MIDDLE SCHOOL ACTIVITY Home Energy Audit Overview In this activity, students will complete a worksheet leading them to a better understanding of their (and their household s) electricity

More information

Operations Manual. Updated To Include NEW Web Cam IPhone and Android Viewing Instructions

Operations Manual. Updated To Include NEW Web Cam IPhone and Android Viewing Instructions Operations Manual Updated 9-01-2017 To Include NEW Web Cam IPhone and Android Viewing Instructions Eucalyptus at Beaumont Operations Manual Welcome to you new home at Eucalyptus at Beaumont. We have built

More information

Evaluation Summary. Years Gardening 20% 19.3% 5.0% 10.0% 15.0% 20.0% 25.0% 30.0% 35.0% 40.0% 45.0% 50.0% 2016 (n=55) (n=254)

Evaluation Summary. Years Gardening 20% 19.3% 5.0% 10.0% 15.0% 20.0% 25.0% 30.0% 35.0% 40.0% 45.0% 50.0% 2016 (n=55) (n=254) 2016 Grow Well Missouri Gardening Program Evaluation Summary MFH Project: Collaborating with Missouri Food Pantries for Better Health University of Missouri Interdisciplinary Center for Food Security December

More information

2012 UPC Chapter 6 Water Systems Part 2 RV

2012 UPC Chapter 6 Water Systems Part 2 RV PLEASE DO NOT BOOKMARK ANY ANYTIMECE WEBPAGES! Our system will remember the last page you viewed when logging out and back in but please DO NOT exit out when taking a test. Your place will NOT be saved.

More information

How to reduce ChiliCube noise level by

How to reduce ChiliCube noise level by How to reduce ChiliCube noise level by replacing fans Description for how to replace noisy fans which come with the ChiliCube with 3-speed fans which are quieter even on high, and allow speed selection.

More information

1 What Living Things Can We Find Around Us?

1 What Living Things Can We Find Around Us? 1 What Living Things Can We Find Around Us? Look at the following statements. Are they true or false? Put a tick () in the correct column for each statement. Statement True False a. An environment is the

More information

ISCT Annual Meeting May 24, 2010

ISCT Annual Meeting May 24, 2010 ISCT Annual Meeting May 24, 2010 Speakers Gemini Majkowski, MQM, BSMT, SBB(ASCP), CLS President/CEO of G 2 MQ Nancy Collins, PhD University of Toledo, Ohio Liz Konecki, MS, MT, SBB(ASCP) Wilford Hall Medical

More information

Alarms Manual. ver.1 rev.06/'07. Enclosures to Service Manuals of: McbNET Digital TM Magnum400 TM MiniMagnum400 TM. 6) Speeder One

Alarms Manual. ver.1 rev.06/'07. Enclosures to Service Manuals of: McbNET Digital TM Magnum400 TM MiniMagnum400 TM. 6) Speeder One 6) Speeder One VIALE STAZIONE 5-36054 MONTEBELLO VIC. - VI - ITALY Phone (+39) 0444 440441 - Fax (+39) 04444 440418 www.axorindustries.com - INFO@AXORINDUSTRIES.COM Alarms Manual Enclosures to Service

More information

Heat Exchanger- Lockheed Martin

Heat Exchanger- Lockheed Martin 1 Heat Exchanger- Lockheed Martin Engineering Design 100, Section 22, Dr. Ritter Team 4, MODZ Zeping (Calvin) Cheng (zbc5056@psu.edu), Olivia Connors (ojc5027@psu.edu), Madison Powers (mlp5514@psu.edu),

More information

Multistate Alarm. Introduction

Multistate Alarm. Introduction Object Dictionary 1 Multistate Alarm Introduction The Multistate Alarm object adds the alarming capability for a Boolean or multistate attribute for any object, such as the Present Value of a Binary Input

More information

Extreme Trees. written by Alice Lee Folkins STAPLE HERE

Extreme Trees. written by Alice Lee Folkins STAPLE HERE STAPLE HERE Cover Photo: Giant sequoia tree (Sequoiadendron giganteum) in Yosemite National Park, California, May 2006. 2006 by Walter Siegmund. Some rights reserved (http://creativecommons.org/licenses/by-sa/3.0).

More information

WHEAT DEVELOPMENT AND GROWTH

WHEAT DEVELOPMENT AND GROWTH WHEAT DEVELOPMENT AND GROWTH Ron Rickman and Tami Johlke USDA, Agricultural Research Service, Columbia Plateau Conservation Research Center, Pendleton OR Workshop objective: How would you like to be able

More information

System Design & Diagnostic Analysis of Group 2 Systems

System Design & Diagnostic Analysis of Group 2 Systems 7 th Annual Sucker Rod Pumping Workshop Renaissance Hotel Oklahoma City, Oklahoma September 27-30, 2011 System Design & Diagnostic Analysis of Group 2 Systems John G. Svinos President Theta Oilfield Services,

More information

3. Turn on the electrical power supply to the dryer, and move the safety disconnect handle mounted on the dryer s upper power box to on.

3. Turn on the electrical power supply to the dryer, and move the safety disconnect handle mounted on the dryer s upper power box to on. DRYER OPERATION - START-UP INITIAL SETUP PARAMETERS Turn the control power switch to on. When the Boot Screen appears touch the START DRYER button. The computer will run a quick check of the system network

More information

Gas Piping Facts. Information for properly sizing gas lines for use with tankless water heaters and other gas appliances TANKLESS WATER HEATING

Gas Piping Facts. Information for properly sizing gas lines for use with tankless water heaters and other gas appliances TANKLESS WATER HEATING TANKLESS WATER HEATING Gas Piping Facts Information for properly sizing gas lines for use with tankless water heaters and other gas appliances With any gas appliance, it is essential that the gas supply

More information

Chesterfield County Project Update

Chesterfield County Project Update Chesterfield County Project Update SOUTHEAST HIGH SPEED RAIL TIER II ENVIRONMENTAL IMPACT STATEMENT RICHMOND, VA, TO RALEIGH, NC CHESTERFIELD COUNTY, VA OFFICIALS BRIEFING February 2013 Federal Railroad

More information

Q.: I liked our single stream recycling. It was easier and more convenient. This is a step backwards. Why?

Q.: I liked our single stream recycling. It was easier and more convenient. This is a step backwards. Why? FREQUENTLY ASKED QUESTIONS REGARDING THIS CHANGE: Q.: I liked our single stream recycling. It was easier and more convenient. This is a step backwards. Why? A.: This is not a change we wanted to make;

More information

Help Us Help YOU! A Guide to Requirements for. Commercial Electrical Permit Applications in the City of Winnipeg

Help Us Help YOU! A Guide to Requirements for. Commercial Electrical Permit Applications in the City of Winnipeg Help Us Help YOU! A Guide to Requirements for Commercial Electrical Permit Applications in the City of Winnipeg PLANNING, PROPERTY AND DEVELOPMENT DEPARTMENT August 2015 How can my electrical permit be

More information

We don t need to know the ideas behind this advanced model merely the idea itself. Put simply it is as follows

We don t need to know the ideas behind this advanced model merely the idea itself. Put simply it is as follows Our simple model of the atom has its uses but in order to appreciate more subtle relationships between atoms, the periodic table and chemical reactions we need to have a more advanced approach. We don

More information

Concept Objectives: Understand what seeds need to grow. Know how to read a seed packet. Know the proper way to plant a seed.

Concept Objectives: Understand what seeds need to grow. Know how to read a seed packet. Know the proper way to plant a seed. Seed Planting 101 Lesson Alaska Ag in the Classroom Lesson Plans Concept Objectives: Understand what seeds need to grow. Know how to read a seed packet. Know the proper way to plant a seed. Time: 40 45

More information