AADL Isolette Example!

Size: px
Start display at page:

Download "AADL Isolette Example!"

Transcription

1 AADL Isolette Example! Safety Critical Software SAnToS Laboratory Kansas State University John Hatcliff, Brian Larson

2 Objectives Understand how the functional architecture of the Isolette example from the FAA Requirements Engineering Handbook can be represented in AADL Become comfortable with using various AADL tools to specify simple architectural models

3 Isolette Example Isolate Thermostat for an infant incubator The purpose of the Isolette Thermostat is to maintain the air temperature of an Isolette within a desired range. It senses the Current Temperature of the Isolette and turns the Heat Source on and off to warm the air as needed. The Isolate example will be used as the primary running example in our lectures.

4 AADL Package Packages are used to organize component interface specifications (component types) and their blueprints (component implementations) into libraries. package isolette public with Base_Types,iso_variables; end isolette; Name of a package that will hold both component types and implementations for the Isolette. This package will import from other packages definitions for basic AADL types and for variables/types used throughout the Isolette example.

5 AADL System To describe the top-level structure of the Isolette device, we use the AADL System component category system isolette end isolette; system implementation isolette.single_sensor subcomponents connections end isolette.single_sensor; Define the component type named isolette using a system component. In this case, we have no features on our component interface because we are defining a wrapper for the entire system.

6 AADL System To describe the top-level structure of the Isolette device, we use the AADL System component category system isolette end isolette; system implementation isolette.single_sensor subcomponents connections end isolette.single_sensor; Define a component implementation impl for the component type isolette. A component implementation specifies properties/structure (but usually not the complete details) of a components implementation. In this case, we will use the implementation construct to specify the subcomponents of the isolette and the connections (communication) between them.

7 AADL System Implementation In the system implementation, we can define subcomponents corresponding to the subcomponent identified in the Isolette conceptual architecture from the FAA REMH. system implementation isolette.single_sensor subcomponents thermostat : system thermostat_single_sensor.impl; temperature_sensor : device Devices::temperature_sensor.impl; heat_source : device Devices::heat_source.impl; operator_interface : system operator_interface.impl; connections end isolette.single_sensor Name each of the subcomponents and associate each with a component category and implementation (declared elsewhere). Note: we don t have a subcomponent for Air because air is an entity of the environment (not an entity of the system to be implemented). We can, if we choose, also model the environment with AADL. This will be addressed elsewhere.

8 Other Components Some components in our models will represent hardware whose details we may choose not to specify (in which case, we leave the implementation empty). device temperature_sensor features air : in data port Iso_Variables::current_temperature current_temperature : out data port Iso_Variables::current_temperature end temperature_sensor; device implementation temperature_sensor.impl end temperature_sensor.impl; We leave the implementation of a component unspecified by using an empty body.

9 AADL Ports Component interfaces (types) have features that capture capabilities and means of interaction made available to other components ( clients of the component type being declared). device temperature_sensor features current_temperature : out data port Iso_Variables::current_temperature end temperature_sensor; Declare a port name, category ( out, data ), and type for the data that will be communicated on that port. Note: we use the device category to model the Temperature Sensor component.

10 AADL Ports The Thermostat component has a number of ports to capture its communication potential. system thermostat_th features current_temperature : in data port iso_variables::current_temperature; heat_control : out data port iso_variables::on_off; lower_desired_temperature : in data port iso_variables::lower_desired_temperature; upper_desired_temperature : in data port iso_variables::upper_desired_temperature; lower_alarm_temperature : in data port iso_variables::lower_alarm_temperature; upper_alarm_temperature : in data port iso_variables::upper_alarm_temperature; regulator_status : out data port iso_variables::status; monitor_status : out data port iso_variables::status; display_temperature : out data port iso_variables::measured_temperature_range; alarm : out data port iso_variables::on_off; end thermostat_th; We will see later that related ports (e.g., all the ports capturing operator settings) can be bundled together in an AADL Feature Group which is a useful abstraction mechanism.

11 AADL Data Type Modeling As our modeling effort unfolds, we maintain a package containing data types defined specifically for the Isolette system. isolette.aadl package isolette public with Base_Types, iso_variables; end isolette; iso_variables.aadl package iso_variables public with Base_Types, Data_Model; --range of Lower Desired Temperature data lower_desired_range properties Data_Model::Real_Range => ; Data_Model::Measurement_Unit => "Fahrenheit"; end lower_desired_range; --range of Display Temperature data measured_temperature_range properties Data_Model::Real_Range => ; Data_Model::Measurement_Unit => "Fahrenheit"; end measured_temperature_range; end iso_variables;

12 AADL Data Type Modeling As our modeling effort unfolds, we maintain a package containing data types defined specifically for the Isolette system. system thermostat_th features current_temperature : in data port Iso_variables::current_temperature; heat_control : out data port Iso_variables::on_off; lower_desired_temperature : in data port Iso_variables::lower_desired_temperature; upper_desired_temperature : in data port Iso_variables::upper_desired_temperature; lower_alarm_temperature : in data port Iso_variables::lower_alarm_temperature; upper_alarm_temperature : in data port Iso_variables::upper_alarm_temperature; regulator_status : out data port Iso_variables::status; monitor_status : out data port Iso_variables::status; display_temperature : out data port Iso_variables::display_temperature_range; alarm : out data port Iso_variables::on_off; end thermostat_th; (excerpt from iso_variables.aadl) Declaration of the display_temperature_range type used in the port declaration above. --range of Display Temperature data current_temperature properties Data_Model::Real_Range => ; Data_Model::Measurement_Unit => "Fahrenheit"; end current_temperature;

13 AADL Connections In the system implementation, we can define connections representing the communication between each of the subcomponents system implementation isolette.impl subcomponents connections ct : port temperature_sensor.current_temperature -> thermostat.current_temperature; hc : port thermostat.heat_control -> heat_source.heat_control; ldt : port operator_interface.lower_desired_temperature -> thermostat.lower_desired_temperature; udt : port operator_interface.upper_desired_temperature -> thermostat.upper_desired_temperature; lat : port operator_interface.lower_alarm_temperature -> thermostat.lower_alarm_temperature; uat : port operator_interface.upper_alarm_temperature -> thermostat.upper_alarm_temperature; rs : port thermostat.regulator_status -> operator_interface.regulator_status; ms : port thermostat.monitor_status -> operator_interface.monitor_status; dt : port thermostat.display_temperature -> operator_interface.display_temperature; al : port thermostat.alarm -> operator_interface.alarm; end isolette.impl; A connection relates the port of one component to the port of another, representing the communication between the two components via the specified ports. The ports must be compatible (e.g., with respect to port types). E.g., ct names the port communication for Current Temperature.

14 Continuing We can continue in this manner to specify the thermostat architecture following the presentation in the FAA REMH In the following slides, we will illustrate the Regulate Temperature function, and leave the completion of the Monitor Temperature function as an exercise.

15 Decomposing Thermostat The FAA REMH decomposes the Isolette into a Regulate Temperature function that actually implements the controls of the system and a Monitor Temperature function that implements a safety system that will generate an alarm when certain error conditions arise. Decomposing the Thermostat into Regulate Temperature and Monitor Temperature functions.

16 Decomposing Thermostat The component implementation for the thermostat reveals the decomposition. system implementation thermostat_th.impl subcomponents regulate_temperature : process regulate_temperature_mt.impl; monitor_temperature : process monitor_temperature_mt.impl; connections end thermostat_th.impl The Thermostat implementation reveals a decomposition to components representing the Regulate Temperature and Monitor Temperature functions.

17 Regulate Temperature Consider the description of the Regulate Temperature function from the FAA REMH. We will proceed to illustrate how the components, external communication, and internal communication are modeled.

18 Regulate Temperature Interface We will now consider the modeling of the Regulate Temperature function process regulate_temperature_mt features upper_desired_temperature : in data port Iso_variables::upper_desired_temperature; lower_desired_temperature : in data port Iso_variables::lower_desired_temperature; regulator_status : out data port Iso_variables::status; displayed_temp : out data port Iso_variables::display_temperature_range; current_temperature : in data port Iso_variables::display_temperature_range; heat_control : out data port Iso_variables::on_off; end regulate_temperature_mt; Use an AADL process component category to indicate that the address space of Regulate Temperature is separate from that of Monitor Temperature. Declare a port for each type of external communication (for each data flow to/from the module)

19 Regulate Temperature Impl The internal function and data flows for Regulate Temperature specified in the FAA REMH are reflected in the component implementation process implementation regulate_temperature.impl subcomponents manage_regulator_interface : thread manage_regulator_interface_mri.impl; manage_heat_source : thread manage_heat_source_mhs.impl; manage_regulator_mode : thread manage_regulator_mode_mrm.impl; connections end regulate_temperature.impl; Declare a thread for each of the three functions of the Regulate Temperature component.

20 Regulate Temperature Impl The internal function and data flows for Regulate Temperature specified in the FAA REMH are reflected in the component implementation process implementation regulate_temperature_mt.impl subcomponents manage_regulator_interface : thread manage_regulator_interface_mri.impl; manage_heat_source : thread manage_heat_source_mhs.impl; manage_regulator_mode : thread manage_regulator_mode_mrm.impl; connections rudt : port upper_desired_temperature -> manage_regulator_interface.upper_desired_temp; rldt : port lower_desired_temperature -> manage_regulator_interface.lower_desired_temp; mudt : port upper_desired_temperature -> manage_heat_source.upper_desired_temperature; mldt : port lower_desired_temperature -> manage_heat_source.lower_desired_temperature; rrs : port manage_regulator_interface.regulator_status -> regulator_status; rdt : port manage_regulator_interface.displayed_temp -> displayed_temp; rcti : port current_temperature -> manage_regulator_interface.current_temperature; rcth : port current_temperature -> manage_heat_source.current_temperature; rhc : port manage_heat_source.heat_control -> heat_control; rdr : port manage_regulator_interface.desired_range -> manage_heat_source.desired_range; rrmh : port manage_regulator_mode.regulator_mode -> manage_heat_source.regulator_mode; rrmi : port manage_regulator_mode.regulator_mode -> manage_regulator_interface.regulator_mode; rctm : port current_temperature -> manage_regulator_mode.current_temperature; rif : port manage_regulator_interface.interface_failure -> manage_regulator_mode.interface_failure; end regulate_temperature_mt.impl; Note: The two desired temperature arcs in the subsystem are broken out into upper/lower values (so we end up with 14 connections compared to 12 arcs in the original diagram.

21 Manage Heat Source The Manage Heat Source function turns the heating element on/off based on the current temperature and the desired temperature range. thread manage_heat_source_mhs features heat_control : out data port Iso_Variables::on_off current_temperature : in data port Iso_Variables::current_temperature lower_desired_temperature : in data port Iso_Variables::lower_desired_temperature upper_desired_temperature : in data port Iso_Variables::upper_desired_temperature regulator_mode : in data port Iso_Variables::regulator_mode end manage_heat_source_mhs; thread implementation manage_heat_source_mhs.impl end manage_heat_source_mhs.impl; Note: we do not describe the details of the component at this point in development.

22 Manage Regulator Interface The Manage Regulator Interface function implements the interaction with the operator interface. thread manage_regulator_interface_mri features regulator_status : out data port Iso_Variables::status lower_desired_temp : in data port Iso_Variables::lower_desired_temperature upper_desired_temp : in data port Iso_Variables::upper_desired_temperature current_temperature : in data port Iso_Variables::current_temperature displayed_temp : out data port Iso_Variables::measured_temperature_range regulator_mode : in data port Iso_Variables::regulator_mode interface_failure : out data port Base_Types::Boolean end manage_regulator_interface_mri; thread implementation manage_regulator_interface_mri.impl end manage_regulator_interface_mri.impl;

23 Manage Regulator Mode The Manage Regulator Mode function determines the operating mode (Normal, Failure) of the Regulate Temperature function thread manage_regulator_mode_mrm features regulator_mode : out data port Iso_Variables::regulator_mode current_temperature : in data port Iso_Variables::current_temperature interface_failure : in data port Base_Types::Boolean internal_failure : in data port Base_Types::Boolean end manage_regulator_mode_mrm; thread implementation manage_regulator_mode_mrm.impl end manage_regulator_mode_mrm.impl; Note: we add a notion of interface failure (not specified in the REMH) to the notion of internal failure

24 AADL Data Type Modeling A separate package of data types is maintained for modeling data values communicated between Isolette components. Data types are defined using AADL data components. The name lower_desired_range can be used as a type in other sections of the AADL Isolette model. iso_variables.aadl package iso_variables public with Base_Types, Data_Model; We can use properties defined in the AADL Data Model to specify range constraints and units. --range of Lower Desired Temperature data lower_desired_range properties Data_Model::Real_Range => ; Data_Model::Measurement_Unit => "Fahrenheit"; end lower_desired_range; --range of Display Temperature data display_temperature_range properties Data_Model::Real_Range => ; Data_Model::Measurement_Unit => "Fahrenheit"; end display_temperature_range; end iso_variables;

25 Summary AADL is a natural vehicle for formalizing architectural elements introduced in the FAA REMH methodology. Applying AADL to the Isolette system, we are able to model: Components Interfaces Implementations (nested component structures) Communication between components In subsequent lectures, we will explore additional topics: Using BLESS to define component behaviors and behavioral constraints on components Using the AADL Error Annex to model sources and propagation of errors within the Isolette.

26 For You To Do Starting from the incomplete AADL model in the files isolette.aadl and iso_variables.aadl Give component types and implementations for the temperature sensor and heat source components Add data definitions corresponding to four definitions of variables in the internal variables Table A-12. lower_alarm_temp upper_alarm_temp alarm_range monitor_mode Give all the AADL definitions necessary to model the Monitor Temperature Function Make sure your models are syntactically correct by editing them in the OSATE AADL tool.

27 Acknowledgements The material in this lecture is based on The Isolette example used in the FAA DOT/FAA/AR-08/32, Requirements Engineering Management Handbook. David L. Lempia & Steven P. Miller. Various AADL tutorials available on the AADL website. Thanks to Brian Larson for constructing the AADL model of the Isolette used in this lecture.

Fault Tree Analysis (FTA) Kim R. Fowler KSU ECE February 2013

Fault Tree Analysis (FTA) Kim R. Fowler KSU ECE February 2013 Fault Tree Analysis (FTA) Kim R. Fowler KSU ECE February 2013 Purpose for FTA In the face of potential failures, determine if design must change to improve: Reliability Safety Operation Secondary purposes:

More information

Nicolas H. Malloy Systems Engineer

Nicolas H. Malloy Systems Engineer Integrating STAMP-Based Hazard Analysis with MIL-STD-882E Functional Hazard Analysis A Consistent and Coordinated Process Approach to MIL- STD-882E Functional Hazard Analysis Nicolas H. Malloy Systems

More information

CanSat Competition PDR and CDR Guide

CanSat Competition PDR and CDR Guide CanSat Competition PDR and CDR Guide 2007 This years competition will do away with the design document. Instead, each team will hold a PDR and CDR with members of the competition committee attending in

More information

Processes and Responsibilities. ERA ETCS Conference on Testing and Certification Lille March 29 th 2011

Processes and Responsibilities. ERA ETCS Conference on Testing and Certification Lille March 29 th 2011 Processes and Responsibilities ERA ETCS Conference on Testing and Certification Lille March 29 th 2011 Overview The principles for authorisation The application of the principles How the CCS TSI supports

More information

UNCLASSIFIED R-1 ITEM NOMENCLATURE

UNCLASSIFIED R-1 ITEM NOMENCLATURE Exhibit R-2, RDT&E Budget Item Justification: PB 2014 Army DATE: April 2013 COST ($ in Millions) All Prior FY 2014 Years FY 2012 FY 2013 # Base FY 2014 FY 2014 OCO ## Total FY 2015 FY 2016 FY 2017 FY 2018

More information

Keywords: Traditional Medical Monitoring, Questionnaire, Weighted Average, Remote Medical Monitoring, Vital Signs.

Keywords: Traditional Medical Monitoring, Questionnaire, Weighted Average, Remote Medical Monitoring, Vital Signs. Volume 7, Issue 5, May 2017 ISSN: 2277 128X International Journal of Advanced Research in Computer Science and Software Engineering Research Paper Available online at: www.ijarcsse.com Comparative Analysis

More information

PREMATURE INFANT INCUBATOR ALERT SYSTEM VIA SMS

PREMATURE INFANT INCUBATOR ALERT SYSTEM VIA SMS PREMATURE INFANT INCUBATOR ALERT SYSTEM VIA SMS 1 N.S. SALAHUDDIN, 2 R. H. HANDOKO, 3 S. POERNOMO SARI, 4 M. HERMITA, 5 A. B. MUTIARA 1 Ass.Prof, Faculty of Computer Sciences and Information Technology,

More information

Request for Proposals Feasibility Study: Tidal Sector Service Barge/Drydock

Request for Proposals Feasibility Study: Tidal Sector Service Barge/Drydock 1 Request for Proposals Feasibility Study: Tidal Sector Service Barge/Drydock RFP Release Date: Tuesday, February 6, 2018 Proposal Due Date: Monday, March 5 th 2018; 4 pm (Atlantic Time) Contract Manager

More information

Setting a new standard for performance, safety and simplicity

Setting a new standard for performance, safety and simplicity Setting a new standard for performance, safety and simplicity The Arctic Sun 5000 Temperature Management System brings precision Targeted Temperature Management to the highest level of performance available

More information

Mission Threads: Bridging Mission and Systems Engineering

Mission Threads: Bridging Mission and Systems Engineering Mission Threads: Bridging Mission and Systems Engineering Dr. Greg Butler Engility Corp Dr. Carol Woody Software Engineering Institute SoSECIE Webinar June 20, 2017 Any opinions, findings and conclusions,

More information

Isolette TI500 Neonatal Transport

Isolette TI500 Neonatal Transport Isolette TI500 Neonatal Transport Transport neonates safely, comfortably and with a minimum of stress with a fully-featured, high-performance transport incubator. D-1587-2009 02 Isolette TI500 Benefits

More information

COMMON AVIATION COMMAND AND CONTROL SYSTEM

COMMON AVIATION COMMAND AND CONTROL SYSTEM Section 6.3 PEO LS Program COMMON AVIATION COMMAND AND CONTROL SYSTEM CAC2S Program Background The Common Aviation Command and Control System (CAC2S) is a modernization effort to replace the existing aviation

More information

PROJECT LIFE RAFT DESIGNING A LOWER COST INFANT INCUBATOR

PROJECT LIFE RAFT DESIGNING A LOWER COST INFANT INCUBATOR PROJECT LIFE RAFT DESIGNING A LOWER COST INFANT INCUBATOR Project Goal: The goal of this project is to develop a functioning prototype of a low-cost incubator and isolation unit for infant care in developing

More information

CSE255 Introduction to Databases - Fall 2007 Semester Project Overview and Phase I

CSE255 Introduction to Databases - Fall 2007 Semester Project Overview and Phase I SEMESTER PROJECT OVERVIEW In this term project, you are asked to design a small database system, create and populate this database by using MYSQL, and write a web-based application (with associated GUIs)

More information

Verification of Specifications Data Flow Diagrams (DFD) Summary. Specification. Miaoqing Huang University of Arkansas Spring / 28

Verification of Specifications Data Flow Diagrams (DFD) Summary. Specification. Miaoqing Huang University of Arkansas Spring / 28 1 / 28 Specification Miaoqing Huang University of Arkansas Spring 2010 2 / 28 Outline 1 2 3 / 28 Outline 1 2 How to verify a specification? Specification itself has to be correct Verification methods Observe

More information

Bridging the Care Continuum. BSM-3500 Series bedside monitors

Bridging the Care Continuum. BSM-3500 Series bedside monitors Bridging the Care Continuum BSM-3500 Series bedside monitors The Right Monitoring Today s healthcare environment necessitates that patients receive the right care, at the right cost, and at the right time.

More information

Jaipur National University, Jaipur

Jaipur National University, Jaipur Jaipur National University, Jaipur School of Distance Education and Learning Guidelines for Project 1. Project Report (BCA-307) The project proposal should be prepared in consultation with your guide.

More information

The Schematic Design of the Ward Temperature Regulation Based on Computer Remote Control

The Schematic Design of the Ward Temperature Regulation Based on Computer Remote Control 2016 International Conference on Electronic Information Technology and Intellectualization (ICEITI 2016) ISBN: 978-1-60595-364-9 The Schematic Design of the Ward Temperature Regulation Based on Computer

More information

HYDROELECTRIC COMMUNICATION TECHNICIAN I HYDROELECTRIC COMMUNICATION TECHNICIAN II Range B55/B75 BOD 7/12/2017

HYDROELECTRIC COMMUNICATION TECHNICIAN I HYDROELECTRIC COMMUNICATION TECHNICIAN II Range B55/B75 BOD 7/12/2017 HYDROELECTRIC COMMUNICATION TECHNICIAN I HYDROELECTRIC COMMUNICATION TECHNICIAN II Range B55/B75 BOD 7/12/2017 Class specifications are intended to present a descriptive list of the range of duties performed

More information

icardea Project: Personalized Adaptive Care Planner

icardea Project: Personalized Adaptive Care Planner icardea Project: Personalized Adaptive Care Planner Software Detailed Design Document Version 1.0.0 ANTIQUE COWS Cihan Çimen 1560689 Elif Eryılmaz 1560200 Emine Karaduman 1560317 Ozan Çağrı Tonkal 1560598

More information

Writing Grant Proposals in the Natural Resources Sciences

Writing Grant Proposals in the Natural Resources Sciences Writing Grant Proposals in the Natural Resources Sciences General Guidelines, Tips, and Advice NRC 601 Research Concepts (Fall 2009) Stephen DeStefano, Instructor Research Proposal = describes in detail

More information

Proclets in Healthcare

Proclets in Healthcare Proclets in Healthcare R.S. Mans 1,2, N.C. Russell 1, W.M.P. van der Aalst 1, A.J. Moleman 2, P.J.M. Bakker 2 1 Department of Information Systems, Eindhoven University of Technology, P.O. Box 513, NL-5600

More information

Health Management Information Systems: Computerized Provider Order Entry

Health Management Information Systems: Computerized Provider Order Entry Health Management Information Systems: Computerized Provider Order Entry Lecture 2 Audio Transcript Slide 1 Welcome to Health Management Information Systems: Computerized Provider Order Entry. The component,

More information

Server, Desktop, Mobile Platforms Working Group (SDMPWG) Dated

Server, Desktop, Mobile Platforms Working Group (SDMPWG) Dated Server, Desktop, Mobile Platforms Working Group (SDMPWG) Dated 2011-04-25 The information provided below is subject to change and reflects the current knowledge of the Working Group. 1. Management Problem(s)

More information

ELEMENTS OF REQUEST FOR MARITIME SECURITY TRAINING COURSE APPROVAL

ELEMENTS OF REQUEST FOR MARITIME SECURITY TRAINING COURSE APPROVAL ELEMENTS OF REQUEST FOR MARITIME SECURITY TRAINING COURSE APPROVAL The elements listed below comprise a request for course approval. The request and supporting material shall be submitted electronically

More information

DISTRIBUTION STATEMENT A

DISTRIBUTION STATEMENT A IFPC Inc 2-I DISTRIBUTION STATEMENT A: Approved for public release; distribution is unlimited. 31 IFPC Inc 2-I Mission Mission: Primary Indirect Fire Protection Capability Increment 2 Intercept (IFPC Inc

More information

Provide Safe and Effective Medicines Management in Primary Care

Provide Safe and Effective Medicines Management in Primary Care Primary Drivers Secondary Drivers Aim Safe and reliable prescribing, monitoring and administration of high risk medications that require systematic monitoring Implement systems for reliable prescribing

More information

The Verification for Mission Planning System

The Verification for Mission Planning System 2016 International Conference on Artificial Intelligence: Techniques and Applications (AITA 2016) ISBN: 978-1-60595-389-2 The Verification for Mission Planning System Lin ZHANG *, Wei-Ming CHENG and Hua-yun

More information

ADMINISTRATIVE REVIEWS AND TRAINING (ART) GRANTS PROGRAM Proposal Response Guidance

ADMINISTRATIVE REVIEWS AND TRAINING (ART) GRANTS PROGRAM Proposal Response Guidance Introduction The purpose of the Administrative Reviews and Training (ART) Grants Program Proposal Response Guidance is to increase the consistency and understanding of program planning prior to grant award.

More information

Methicillin resistant Staphylococcus aureus transmission reduction using Agent-Based Discrete Event Simulation

Methicillin resistant Staphylococcus aureus transmission reduction using Agent-Based Discrete Event Simulation Methicillin resistant Staphylococcus aureus transmission reduction using Agent-Based Discrete Event Simulation Sean Barnes PhD Student, Applied Mathematics and Scientific Computation Department of Mathematics

More information

Using the Systems Engineering Method to Design A System Engineering Major at the United States Air Force Academy

Using the Systems Engineering Method to Design A System Engineering Major at the United States Air Force Academy Using the Method to A System Major at the United States Air Force Academy 1387 J. E. Bartolomei, S. L. Turner, C. A. Fisher United States Air Force Academy USAF Academy CO 80840 (719) 333-2531 Abstract:

More information

Full IP. nursecall and notification

Full IP. nursecall and notification Full nursecall and notification Actual size All nursecall intelligence is now inside this call button icall is the first nursecall system where the connection between the network and the room can run entirely

More information

smart technologies Neonatal incubator from standard to intensive care

smart technologies Neonatal incubator from standard to intensive care smart technologies Neonatal incubator from standard to intensive care Care of the youngest and most vulnerable patients is our priority in TSE. Protection and support of newborn babies has been our goal

More information

NORTH CENTRAL TEXAS COUNCIL OF GOVERNMENTS METROPOLITAN PLANNING ORGANIZATION REQUEST FOR PROPOSALS

NORTH CENTRAL TEXAS COUNCIL OF GOVERNMENTS METROPOLITAN PLANNING ORGANIZATION REQUEST FOR PROPOSALS NORTH CENTRAL TEXAS COUNCIL OF GOVERNMENTS METROPOLITAN PLANNING ORGANIZATION REQUEST FOR PROPOSALS TO DEVELOP A STRATEGIC INTELLIGENT TRANSPORTATION SYSTEM DEPLOYMENT PLAN May 1, 2015 Page 1 of 13 REQUEST

More information

Electronic Health Record (EHR) Data Capture: Hopes, Fears, and Dreams

Electronic Health Record (EHR) Data Capture: Hopes, Fears, and Dreams Electronic Health Record (EHR) Data Capture: Hopes, Fears, and Dreams Liora Alschuler, CEO Lantana Consulting Group 2013 Annual NAACCR Conference Tuesday, June 11, Session 2, Section C 1 A Little About

More information

ALICE Policy for Publications and Presentations

ALICE Policy for Publications and Presentations ALICE Policy for Publications and Presentations The Conference Committee can be contacted at alice-cc@cern.ch. The Editorial Board can be contacted at alice-editorial-board@cern.ch. The Physics Board can

More information

Quality ID #424 (NQF 2681): Perioperative Temperature Management National Quality Strategy Domain: Patient Safety

Quality ID #424 (NQF 2681): Perioperative Temperature Management National Quality Strategy Domain: Patient Safety Quality ID #424 (NQF 2681): Perioperative Temperature Management National Quality Strategy Domain: Patient Safety 2018 OPTIONS FOR INDIVIDUAL MEASURES: REGISTRY ONLY MEASURE TYPE: Outcome DESCRIPTION:

More information

Proposal for a CG Educational Content Online Submission and Reviewing System

Proposal for a CG Educational Content Online Submission and Reviewing System Proposal for a CG Educational Content Online Submission and Reviewing System Sónia A. Assunção LEIC, IST saa@virtual.inesc.pt Frederico C. Figueiredo LEIC, IST fepf@virtual.inesc.pt Joaquim A. Jorge INESC/DEI/IST

More information

STATE OF ALASKA RFP NUMBER 2514H002 AMENDMENT NUMBER ONE

STATE OF ALASKA RFP NUMBER 2514H002 AMENDMENT NUMBER ONE RETURN THIS AMENDMENT TO THE ISSUING OFFICE AT: Department of Transportation & Public Facilities Statewide Contracting & Procurement P.O. Box 112500 (3132 Channel Drive, Room 310) Juneau, Alaska 99801-7898

More information

Public Health Outreach Project Description

Public Health Outreach Project Description Public Health Outreach Description Title: Neighborhood Health Centers Biomedical Information Access Via the World Wide Web Staff: Mary Sprague, Eric Schnell Organization: The Ohio State University John

More information

Mission Profile Analysis

Mission Profile Analysis Chapter 12 Mission Profile Analysis 321 Chapter 12 Mission Profile Analysis RAM Commander provides a mission profile analysis module that simulates the product tree under varying conditions. Define a mission

More information

Briefing for Industry

Briefing for Industry Professional Aerospace Contractors Association of New Mexico Briefing for Industry Mr. Quentin Saulter Naval Representative High Energy Laser Joint Technology Office August 18, 2015 DISTRIBUTION D: Distribution

More information

Available online at ScienceDirect. Procedia Computer Science 86 (2016 )

Available online at   ScienceDirect. Procedia Computer Science 86 (2016 ) Available online at www.sciencedirect.com ScienceDirect Procedia Computer Science 86 (2016 ) 252 256 2016 International Electrical Engineering Congress, ieecon2016, 2-4 March 2016, Chiang Mai, Thailand

More information

CENTRE FOR DISTANCE EDUCATION ANNA UNIVERSITY :: CHENNAI ATTENTION STUDY CENTRES

CENTRE FOR DISTANCE EDUCATION ANNA UNIVERSITY :: CHENNAI ATTENTION STUDY CENTRES CENTRE FOR DISTANCE EDUCATION ANNA UNIVERSITY :: CHENNAI 600 025 ATTENTION STUDY CENTRES Guidelines for MBA /MCA/MSc Project works - For Study Centres 01. Preamble The students of MSC of SET VIII are now

More information

GE Healthcare. Timeless exc ellence. CARESCAPE * V100 - Vital Signs Monitor

GE Healthcare. Timeless exc ellence. CARESCAPE * V100 - Vital Signs Monitor GE Healthcare Timeless exc ellence CARESCAPE * V100 - Vital Signs Monitor Continued innovation The GE DINAMAP* non-invasive blood pressure (NIBP) monitor is known globally by many clinicians, nurses and

More information

Joint Distributed Engineering Plant (JDEP)

Joint Distributed Engineering Plant (JDEP) Joint Distributed Engineering Plant (JDEP) JDEP Strategy Final Report Dr. Judith S. Dahmann John Tindall The MITRE Corporation March 2001 March 2001 Table of Contents page Executive Summary 1 Introduction

More information

Research on Application of FMECA in Missile Equipment Maintenance Decision

Research on Application of FMECA in Missile Equipment Maintenance Decision IOP Conference Series: Materials Science and Engineering PAPER OPEN ACCESS Research on Application of FMECA in Missile Equipment Maintenance Decision To cite this article: Wang Kun 2018 IOP Conf. Ser.:

More information

Check-Plan-Do-Check-Act-Cycle

Check-Plan-Do-Check-Act-Cycle Adequacy of hemodialysis 1 Adequacy of Hemodialysis Introduction Providing adequate hemodialysis treatment is dependent on numerous factors ranging from type of dialyzer used to appropriate length of treatment

More information

FREEWAT modeling platform: software architecture and state of development Iacopo Borsi TEA SISTEMI SpA

FREEWAT modeling platform: software architecture and state of development Iacopo Borsi TEA SISTEMI SpA FREEWAT modeling platform: software architecture and state of development Iacopo Borsi TEA SISTEMI SpA iacopo.borsi@tea-group.com Outlook FREEWAT architecture Capabilities: a summary Code development:

More information

Fundamentals of Health Workflow Process Analysis and Redesign: Process Analysis

Fundamentals of Health Workflow Process Analysis and Redesign: Process Analysis Fundamentals of Health Workflow Process Analysis and Redesign: Process Analysis Lecture 2 Audio Transcript Slide 1 Welcome to Fundamentals of Health Workflow Process Analysis and Redesign: Process Analysis.

More information

REQUEST FOR QUALIFICATIONS AND REQUEST FOR PROPOSALS FOR ARCHITECTURAL SERVICES CROMWELL BELDEN PUBLIC LIBRARY TOWN OF CROMWELL, CONNECTICUT

REQUEST FOR QUALIFICATIONS AND REQUEST FOR PROPOSALS FOR ARCHITECTURAL SERVICES CROMWELL BELDEN PUBLIC LIBRARY TOWN OF CROMWELL, CONNECTICUT REQUEST FOR QUALIFICATIONS AND REQUEST FOR PROPOSALS FOR ARCHITECTURAL SERVICES CROMWELL BELDEN PUBLIC LIBRARY TOWN OF CROMWELL, CONNECTICUT The Town of Cromwell is seeking written responses to a Request

More information

Test and Evaluation Strategies for Network-Enabled Systems

Test and Evaluation Strategies for Network-Enabled Systems ITEA Journal 2009; 30: 111 116 Copyright 2009 by the International Test and Evaluation Association Test and Evaluation Strategies for Network-Enabled Systems Stephen F. Conley U.S. Army Evaluation Center,

More information

Aerial Weapon Scoring System (AWSS) NDIA 49 th Annual Targets, UAVs, and Range Operations Symposium

Aerial Weapon Scoring System (AWSS) NDIA 49 th Annual Targets, UAVs, and Range Operations Symposium Aerial Weapon Scoring System (AWSS) NDIA 49 th Annual Targets, UAVs, and Range Operations Symposium 27 October 2011 What is AWSS Aerial Weapon Scoring System Scalable & portable system of computer controlled

More information

Executive Summary. Northern Virginia District (NOVA) Smart Travel Program. Virginia Department of Transportation. December 1999

Executive Summary. Northern Virginia District (NOVA) Smart Travel Program. Virginia Department of Transportation. December 1999 Executive Summary Northern Virginia District (NOVA) Smart Travel Program Virginia Department of Transportation December 1999 VDOT Technical Manager: Amy Tang NOVA District Smart Travel Program Manager

More information

Embedded Training Solution for the Bradley Fighting Vehicle (BFV) A3

Embedded Training Solution for the Bradley Fighting Vehicle (BFV) A3 Embedded Training Solution for the Bradley Fighting Vehicle (BFV) A3 30 May 2001 R. John Bernard Angela M. Alban United Defense, L.P. Orlando, Florida Report Documentation Page Report Date 29May2001 Report

More information

ABCA ANALYSIS HANDBOOK

ABCA ANALYSIS HANDBOOK ABCA ANALYSIS HANDBOOK Operational Assessment of ABCA Exercises and Experiments ABCA Publication 354 07 September 2004 UNCLASSIFIED ABCA Analysis Handbook Requests for copies of this document shall be

More information

ESATAN/FHTS, ThermXL & ESARAD Current Status

ESATAN/FHTS, ThermXL & ESARAD Current Status Oct 2004 ESATAN/FHTS, ThermXL & ESARAD Current Status Chris Kirtley, Programme Manager Introduction Many improvements made to the tools over 2004 ESATAN v9.2 and ESARAD v5.6 being finalised pre-release

More information

Risk themes from ATAM data: preliminary results

Risk themes from ATAM data: preliminary results Pittsburgh, PA 15213-3890 Risk themes from ATAM data: preliminary results Len Bass Rod Nord Bill Wood Software Engineering Institute Sponsored by the U.S. Department of Defense 2006 by Carnegie Mellon

More information

COMPANY CONSULTING Terms of Reference Development of an Open Innovation Portal for UTFSM FSM1402 Science-Based Innovation FSM1402AT8 I.

COMPANY CONSULTING Terms of Reference Development of an Open Innovation Portal for UTFSM FSM1402 Science-Based Innovation FSM1402AT8 I. COMPANY CONSULTING Terms of Reference Development of an Open Innovation Portal for UTFSM FSM1402 Science-Based Innovation FSM1402AT8 I. BACKGROUND 1.1 General overview of the project in which the Consulting

More information

*TM &P INTRODUCTION PAGE 1-1

*TM &P INTRODUCTION PAGE 1-1 *TM 9-2540-205-24&P INTRODUCTION PAGE 1-1 *TM 9-2540-205-24&P Technical Manual HEADQUARTERS DEPARTMENT OF THE ARMY NO. 9-2540-205-2481P Washington D. C., 10 April 1992 ORGANIZATIONAL, DIRECT SUPPORT, AND

More information

WARFIGHTER MODELING, SIMULATION, ANALYSIS AND INTEGRATION SUPPORT (WMSA&IS)

WARFIGHTER MODELING, SIMULATION, ANALYSIS AND INTEGRATION SUPPORT (WMSA&IS) EXCERPT FROM CONTRACTS W9113M-10-D-0002 and W9113M-10-D-0003: C-1. PERFORMANCE WORK STATEMENT SW-SMDC-08-08. 1.0 INTRODUCTION 1.1 BACKGROUND WARFIGHTER MODELING, SIMULATION, ANALYSIS AND INTEGRATION SUPPORT

More information

Monnal T75. Tailor-made breathing.

Monnal T75. Tailor-made breathing. Monnal T75 Tailor-made breathing www.airliquidemedicalsystems.com Top-class performance A ventilator operates in varied clinical situations specific to every patient. Monnal T75 provides a new solution

More information

Department of Defense DIRECTIVE. SUBJECT: Electronic Warfare (EW) and Command and Control Warfare (C2W) Countermeasures

Department of Defense DIRECTIVE. SUBJECT: Electronic Warfare (EW) and Command and Control Warfare (C2W) Countermeasures Department of Defense DIRECTIVE NUMBER 3222.4 July 31, 1992 Incorporating Through Change 2, January 28, 1994 SUBJECT: Electronic Warfare (EW) and Command and Control Warfare (C2W) Countermeasures USD(A)

More information

Lessons Learned with the Application of MIL-STD-882D at the Weapon System Explosives Safety Review Board

Lessons Learned with the Application of MIL-STD-882D at the Weapon System Explosives Safety Review Board Lessons Learned with the Application of MIL-STD-882D at the Weapon System Explosives Safety Review Board Mary Ellen Caro Naval Ordnance Safety and Security Activity Systems Safety/Joint Programs mary.caro@navy.mil

More information

Integrating quality improvement into pre-registration education

Integrating quality improvement into pre-registration education Integrating quality improvement into pre-registration education Jones A et al (2013) Integrating quality improvement into pre-registration education. Nursing Standard. 27, 29, 44-48. Date of submission:

More information

Request for Proposals (RFP) # School Health Transactional System. Release Date: July 24, 2018

Request for Proposals (RFP) # School Health Transactional System. Release Date: July 24, 2018 Request for Proposals (RFP) # 2018-10 School Health Transactional System Release Date: July 24, 2018 Bidders' Conference: August 6, 2018, 3:30-5 p.m. EST Final Application Deadline: August 21, 2018 by

More information

Avicena Clinical processes driven by an ontology

Avicena Clinical processes driven by an ontology Avicena Clinical processes driven by an ontology Process Management Systems for Health Care Alfonso Díez BET Value Fuentes 10 2D 28013 Madrid +34 91 547 26 06 www.betvalue.com What is Avicena? Avicena

More information

No. 1-35/IT/A & N /2009 Andaman and Nicobar Administration Information Technology *** PRESS NOTE

No. 1-35/IT/A & N /2009 Andaman and Nicobar Administration Information Technology *** PRESS NOTE 1 No. 1-35/IT/A & N /2009 Andaman and Nicobar Administration Information Technology *** PRESS NOTE The Information Technology Department of A & N Administration has drafted a policy for development and

More information

Best Practice Model Determination: Oxygenator Selection for Cardiopulmonary Bypass. Mark Henderson, CPC, CCP,

Best Practice Model Determination: Oxygenator Selection for Cardiopulmonary Bypass. Mark Henderson, CPC, CCP, Best Practice Model Determination: Oxygenator Selection for Cardiopulmonary Bypass. Mark Henderson, CPC, CCP, 1 Abstract In recognizing the uniqueness of perfusion practice, building a best practice model

More information

SPECIAL SPECIFICATION 1849 ATM Switch Single-Mode OC-12 Module

SPECIAL SPECIFICATION 1849 ATM Switch Single-Mode OC-12 Module 1993 Specifications CSJ 0521-04-223 SPECIAL SPECIFICATION 1849 ATM Switch Single-Mode OC-12 Module 1. Description. Furnish, install, and make fully operational an Asynchronous Transfer Mode (ATM) Switch

More information

Joint Warfare System (JWARS)

Joint Warfare System (JWARS) Joint Warfare System (JWARS) Update to DMSO Industry Days June 4, 1999 Jim Metzger JWARS Office Web Site: http://www.dtic.mil/jwars/ e-mail: jwars@osd.pentagon.mil 6/4/99 slide 1 Agenda Background Development

More information

Impact Grant Application COVER SHEET

Impact Grant Application COVER SHEET Education Foundation For Office Use Only Date Rec'd: Grant #: Grant Score: 2011-2012 Impact Grant Application COVER SHEET Awarded: The Hill Country Education Foundation created the Impact Grant program

More information

OBJECT ORIENTED SYSTEM MODELLING

OBJECT ORIENTED SYSTEM MODELLING MODULE 9 OBJECT ORIENTED SYSTEM MODELLING Learning Units 9.1 Objects and their properties 9.2 Identifying objects in an application 9.3 Modelling systems with object Systems Analysis And Design V. Rajaraman

More information

Mediprise Final Project Presentation

Mediprise Final Project Presentation Mediprise Final Project Presentation m Presented by the HouseCare Group Jennifer Deroy James Gomez Jennifer Sandels Quinise Sherman 1 Problem Statement The healthcare industry is for the most part, still

More information

RFID-based Hospital Real-time Patient Management System. Abstract. In a health care context, the use RFID (Radio Frequency

RFID-based Hospital Real-time Patient Management System. Abstract. In a health care context, the use RFID (Radio Frequency RFID-based Hospital Real-time Patient Management System Abstract In a health care context, the use RFID (Radio Frequency Identification) technology can be employed for not only bringing down health care

More information

Visitors report. Contents. Relevant part of the HCPC Register. Speech and Language therapist. Date of visit 8 9 November 2016

Visitors report. Contents. Relevant part of the HCPC Register. Speech and Language therapist. Date of visit 8 9 November 2016 Visitors report Name of education provider Programme name Mode of delivery Relevant part of the HCPC Register City, University of London MSc Speech and Language Therapy Full time Speech and Language therapist

More information

Sharp HealthCare Safety Training 2015 Module 3, Lesson 2 Always Events: Line and Tube Reconciliation and Guardrails Use

Sharp HealthCare Safety Training 2015 Module 3, Lesson 2 Always Events: Line and Tube Reconciliation and Guardrails Use Sharp HealthCare Safety Training 2015 Module 3, Lesson 2 Always Events: Line and Tube Reconciliation and Guardrails Use Our vision is to create a culture where patients and those who care for them are

More information

Begin Implementation. Train Your Team and Take Action

Begin Implementation. Train Your Team and Take Action Begin Implementation Train Your Team and Take Action These materials were developed by the Malnutrition Quality Improvement Initiative (MQii), a project of the Academy of Nutrition and Dietetics, Avalere

More information

Clinical Mobility CSOHIMSS 2011 Slide 0 October 21, 2011 Health Care Quality, Security and HIE Synergy 2011

Clinical Mobility CSOHIMSS 2011 Slide 0 October 21, 2011 Health Care Quality, Security and HIE Synergy 2011 Clinical Mobility CSOHIMSS 2011 Slide 0 October 21, 2011 CSOHIMSS 2011 Slide 1 October 21, 2011 Clinical Mobility Mobile Computing Secure Wireless All we need to enable clinical mobility right? CSOHIMSS

More information

NURS 102: Introduction to Nursing & the Nursing Process

NURS 102: Introduction to Nursing & the Nursing Process NURS 102: Introduction to Nursing & the Nursing Process Communication Theory Documentation Exercise Professional nursing paper reflection Start professional portfolio- this requirement extends throughout

More information

UNCLASSIFIED. FY 2017 Base FY 2017 OCO. Quantity of RDT&E Articles Program MDAP/MAIS Code: 493

UNCLASSIFIED. FY 2017 Base FY 2017 OCO. Quantity of RDT&E Articles Program MDAP/MAIS Code: 493 Exhibit R-2, RDT&E Budget Item Justification: PB 2017 Air Force : February 2016 COST ($ in Millions) Years PE 0605230F / Ground d Strategic Deterrent FY 2018 FY 2019 FY 2020 FY 2021 To Program Element

More information

Health Technology for Tomorrow

Health Technology for Tomorrow Diagnostic Evidence Co-operative Oxford Health Technology for Tomorrow Seminar 1: The potential for wearable technology in ambulatory care: Isansys Patient Status Engine 25 November 2016 Somerville College,

More information

Future military operations will require close coordination and information sharing

Future military operations will require close coordination and information sharing C o a l i t i o n O p e r a t i o n s Force Templates: A Blueprint for Coalition Interaction within an Infosphere Robert E. Marmelstein, Air Force Research Laboratory Emerging architectures, such as the

More information

Goals of System Modeling:

Goals of System Modeling: Goals of System Modeling: 1. To focus on important system features while downplaying less important features, 2. To verify that we understand the user s environment, 3. To discuss changes and corrections

More information

International Journal of Advance Engineering and Research Development

International Journal of Advance Engineering and Research Development Scientific Journal of Impact Factor (SJIF): 4.72 International Journal of Advance Engineering and Research Development Volume 4, Issue 5, May -2017 e-issn (O): 2348-4470 p-issn (P): 2348-6406 Patient Health

More information

COMMISSION DIRECTIVE 2011/18/EU

COMMISSION DIRECTIVE 2011/18/EU 2.3.2011 Official Journal of the European Union L 57/21 DIRECTIVES COMMISSION DIRECTIVE 2011/18/EU of 1 March 2011 amending Annexes II, V and VI to Directive 2008/57/EC of the European Parliament and of

More information

Amy S. Dillon 12/1/2013. School of Southern New Hampshire University

Amy S. Dillon 12/1/2013. School of Southern New Hampshire University Statewide database: Uniform Data Collection in Michigan Community Action 1 Validity & Importance of Uniform Data Collection & Reporting: Michigan Community Action Network Statewide Database Project Amy

More information

Open Data as Enabler for ITS Factory

Open Data as Enabler for ITS Factory Open Data as Enabler for ITS Factory Mika Kulmala Traffic Engineer, City of Tampere POB 487, 33101 Tampere, Finland +358 503826455, mika.kulmala@tampere.fi Aki Lumiaho Chief Consultant, Ramboll POB 718,

More information

Specifications, Performance & Submittal

Specifications, Performance & Submittal Presents Specifications, Performance & Submittal Multi Zone Condenser ( Heat Pump) Model: Multi Zone Condenser M Z H D A A M=Multi Z= Zone 2= Zone 3=Zone 4=Zone 5=Zone Operation: [H=Heat Pump] Voltage:

More information

ATTACHMENT B. 1. Intent to Bid/Bidder Contact Information Form. 2. Executive Summary. 3. Proposal Characteristics and Term Sheet

ATTACHMENT B. 1. Intent to Bid/Bidder Contact Information Form. 2. Executive Summary. 3. Proposal Characteristics and Term Sheet ATTACHMENT B RFP RESPONSE PACKAGE Proposals should be developed to include all of the applicable information as detailed in Section 7 ( RFP Documentation/Forms in RFP Response Package ) of the Request

More information

THE INSTITUTION OF ELECTRONICS AND TELECOMMUNICATION ENGINEERS

THE INSTITUTION OF ELECTRONICS AND TELECOMMUNICATION ENGINEERS THE INSTITUTION OF ELECTRONICS AND TELECOMMUNICATION ENGINEERS IETE RESEARCH FELLOWSHIP SCHEME Fellowship scheme: The IETE has instituted a Research Fellowship scheme for two research projects at a time

More information

Copyright, Joint Commission International. Tracer Methodology

Copyright, Joint Commission International. Tracer Methodology Tracer Methodology 2 What is a Tracer? JCI s key assessment method Traces a real patient s journey through the hospital, using their record as a guide Along the path, JCI observes and assesses compliance

More information

Service Manual. WorkCentre Multifunction Printer. WC5016 WC5020 Black-and-white. Multifunction Printer

Service Manual. WorkCentre Multifunction Printer. WC5016 WC5020 Black-and-white. Multifunction Printer Service Manual WorkCentre 5016 5020 Multifunction Printer WC5016 WC5020 Black-and-white Multifunction Printer Work Center 5016, 5020 Service Documentation 701P48365 June 2008 CAUTION Certain components

More information

ANALOG DESIGN CONTEST RULES FOR UNIVERSITY OF TEXAS AT DALLAS

ANALOG DESIGN CONTEST RULES FOR UNIVERSITY OF TEXAS AT DALLAS ANALOG DESIGN CONTEST RULES FOR UNIVERSITY OF TEXAS AT DALLAS For purposes of these Rules, TI shall mean Texas Instruments Incorporated and its subsidiaries. TI is also referred to herein as Sponsor. 1.

More information

Standard operating procedures for the conduct of outreach training and supportive supervision

Standard operating procedures for the conduct of outreach training and supportive supervision The MalariaCare Toolkit Tools for maintaining high-quality malaria case management services Standard operating procedures for the conduct of outreach training and supportive supervision Download all the

More information

UNCLASSIFIED FY 2016 OCO. FY 2016 Base

UNCLASSIFIED FY 2016 OCO. FY 2016 Base Exhibit R-2, RDT&E Budget Item Justification: PB 2016 Army Date: February 2015 2040: Research, Development, Test & Evaluation, Army / BA 3: Advanced Technology Development (ATD) COST ($ in Millions) Prior

More information

2017 Procure-to-Pay Training Symposium 2

2017 Procure-to-Pay Training Symposium 2 DEFENSE PROCUREMENT AND ACQUISITION POLICY PROCURE-TO-PAY TRAINING SYMPOSIUM Reporting Grants and Cooperative Agreements to DAADS Presented by: Jovanka Caton Brian Davidson May 30 June 1, 2017 Hyatt Regency

More information

Army Ground-Based Sense and Avoid for Unmanned Aircraft

Army Ground-Based Sense and Avoid for Unmanned Aircraft Army Ground-Based Sense and Avoid for Unmanned Aircraft Dr. Rodney E. Cole 27 October, 2015 This work is sponsored by the Army under Air Force Contract #FA8721-05-C-0002. Opinions, interpretations, recommendations

More information

ELECTRONICS TECHNICIAN I ELECTRONICS TECHNICIAN II

ELECTRONICS TECHNICIAN I ELECTRONICS TECHNICIAN II CITY OF ROSEVILLE ELECTRONICS TECHNICIAN I ELECTRONICS TECHNICIAN II DEFINITION To perform work in the installation, testing, maintenance, calibration, repair and modification of electrical and electronic

More information

FoodTech Calibration Software for Windows 98 and up

FoodTech Calibration Software for Windows 98 and up FoodTech Calibration Software for Windows 98 and up Version 1.5 COLE-PARMER INSTRUMENT CO. 625 East Bunker Court Vernon Hills, IL 60061 Phone: (800)323-4340 Fax: (847)247-2929 E-mail: info@coleparmer.com

More information