High Performance Computing for Engineers

Size: px
Start display at page:

Download "High Performance Computing for Engineers"

Transcription

1 High Performance Computing for Engineers David Thomas Room 903 HPCE / dt10 / 2012 / 0.1

2 High Performance Computing for Engineers Research Testing communication protocols Evaluating signal-processing filters Simulating analogue and digital designs Tools CAD tools: synthesis, place-and-route, verification Libraries/toolboxes: filter design, compressive sensing Products Oil exploration and discovery Mobile-phone apps Financial computing HPCE / dt10 / 2012 / 0.2

3 High Performance Computing for Engineers Types of performance metrics Throughput Latency Power Design-time Capital and running costs Required versus desired performance Subject to a throughput of X, minimise average power Subject to a budget of Y, maximise energy efficiency Subject to Z development days, maximise throughput HPCE / dt10 / 2012 / 0.3

4 What is available to you Types of compute device Multi-core CPUs GPUs (Graphics Processing Units) MPPAs (Massively Parallel Processor Arrays) FPGAs (Field Programmable Gate Arrays) Types of compute system Embedded Systems Mobile Phones Tablets Laptops Grid computing Cloud computing HPCE / dt10 / 2012 / 0.4

5 2012 : LG Optimus 2X NVidia Tegra 2 - CPU : Dual-core ARM Cortex A9 - GPU : ULP GeForce (8 cores) Imgs : HPCE / dt10 / 2012 / 0.5

6 2012 : Lenovo Thinkpad Edge E525 AMD Fusion A8-3500M - CPU : Quad-Core 2.4GHz Phenom-II - GPU : HD 6620G 400MHz (320 cores) Img: HPCE / dt10 / 2012 / 0.6

7 2012 : Imperial HPC Cluster cx2 - SGI Altix ICE 8200 EX Racks and racks of high-performance PCs x64 cores running at 3GHz Available to researchers and undergrads (if they ask nicely) Grid-management system Run program on 1000 PCs with one command HPCE / dt10 / 2012 / 0.7

8 Performance and Efficiency Relative to CPU G P U MP P A F P G A F P G A G P U MP P A Un i f o rm G a u ssi a n E xp o n e n t i a l M e a n (G e o ) U n i fo r m G a u s s i a n E x p o n e n ti a l Me a n ( G e o ) Performance Power Efficiency HPCE / dt10 / 2012 / 0.8

9 Design tradeoffs HPCE / dt10 / 2012 / 0.9

10 Design tradeoffs HPCE / dt10 / 2012 / 0.10

11 Design tradeoffs HPCE / dt10 / 2012 / 0.11

12 Design tradeoffs Task-based parallelism vs threads Easy to program (less time coding) Easy to get right (less time testing) Many implementations and APIs Intel Threaded Building Blocks (TBB) Microsoft.NET Task Parallel Library OpenCL HPCE / dt10 / 2012 / 0.12

13 Design tradeoffs HPCE / dt10 / 2012 / 0.13

14 Design tradeoffs Src: NVIDIA CUDA Compute Unified Device Architecture, Programmers Guide HPCE / dt10 / 2012 / 0.14

15 Design tradeoffs HPCE / dt10 / 2012 / 0.15

16 Design tradeoffs HPCE / dt10 / 2012 / 0.16

17 Design tradeoffs HPCE / dt10 / 2012 / 0.17

18 What will you learn Systems: what high-performance systems do you have Methods: how can these systems be programmed Practise: concrete experience with multi-core and GPUs Analysis: knowing what to use and when HPCE / dt10 / 2012 / 0.18

19 What you won t learn Multi-threaded programming PThreads, windows threads, mutexes, spin-locks,... We ll look at the concepts and hardware, but ignore the practise Not needed when using modern task-based methods OpenMP API for parallelising for-loops in C/C++ Old technology, not very user-friendly Doesn t map nicely to architectures such as GPUs We ll use modern techniques such as TBB and CUDA/OpenCL MPI (Messaging Passing Interface) Point-to-point communication between networks Important; but very specialised: entire course by itself This course only considers common non-specialist systems HPCE / dt10 / 2012 / 0.19

20 Structure of the course Exam (50%) + two practical courseworks (50%) Task-based project using Intel Threaded Building Blocks Simple and robust framework for task-level parallelism Highly portable: linux, windows, posix source GPU based project using CUDA or OpenCL If you have a GPU in your laptop, use that Certain lab-machines have GPUs compatible with CUDA Will also explore using OpenCL to target both CPUs and GPUs HPCE / dt10 / 2012 / 0.20

21 Skills needed Basic programming If you can t program in _any_ language then worry Intel TBB uses C++ rather than C Some weird C++ stuff, but not scary: explained in lectures Working examples given and explained Templates given as starting point for project work GPU programming uses CUDA or OpenCL (both C-like) Let s you use whatever graphics card you happen to have Working examples, explained in lectures Template as starting point for project work Not expected to become a guru, just make it faster HPCE / dt10 / 2012 / 0.21

22 Key Focus: Engineering How does this apply to you? Examples from Elec. Eng. problems Mathematical analysis Simulation of digital circuits VLSI circuit layout Communication channel evaluation (Fractal zoomers) Tools and languages used in EE C MATLAB qsub (Imperial HPC cluster) HPCE / dt10 / 2012 / 0.22

23 Simple example : Totient function Eulers totient function: totient(n) Number of integers in range 1..n which are relatively prime to n Integers i and j are relatively prime if gcd(i,j)=1 Totient not included in MATLAB HPCE / dt10 / 2012 / 0.23

24 Version 0 : Simple loop Eulers totient function: totient(n) Number of integers in range 1..n which are relatively prime to n Not included in MATLAB Integers i and j are relatively prime if gcd(i,j)=1 function [res]=totient_v0(n) res=0; for i=1:n % Loop over all numbers in 1..n if gcd(i,n)==1 % Check if relatively prime res=res+1; % Count any that are end end HPCE / dt10 / 2012 / 0.24

25 Version 1 : Vectorising Convert loops into vector operations Standard MATLAB optimisation Actually a way of making parallelism explicit function [res]=totient_v1(n) numbers=1:n; % Generate all numbers in 1..n gcd_res= (gcd(numbers,n)==1); % Perform GCD on all numbers res=sum(gcd_res==1); % Count all relatively prime numbers HPCE / dt10 / 2012 / 0.25

26 Version 2 : Parallel for loop MATLAB supports a parfor command Each loop iteration is/may be executed in parallel Can operate on multiple cores, and even multiple machines HPCE / dt10 / 2012 / 0.26

27 Version 2 : Parallel for loop MATLAB supports a parfor command Each loop iteration is/may be executed in parallel Can operate on multiple cores, and even multiple machines function [res]=totient_v2(n) res=0; parfor i=1:n % Loop over all numbers in 1..n if gcd(i,n)==1 % Check if relatively prime res=res+1; % Count any that are end end HPCE / dt10 / 2012 / 0.27

28 Version 3 : Agglomeration Too much overhead with current parallel loop Each parallel iteration has a cost due to scheduling Process space in chunks, using smaller vectors function [res]=totient_v3(n, step) if nargin<2 % How large each chunk should be step=1000; end res=0; % Loop over each chunk parfor i=1:floor(n/step) % Then process each chunk as a vector numbers=(i-1)*step+1:min(i*step,n); rel_prime= (gcd(numbers,n)==1); res=res+sum(rel_prime); end HPCE / dt10 / 2012 / 0.28

29 Results from my dual-core laptop 8 6 v0: For Loop v1: Vectorised v2: ParFor Loop v3: ParFor Chunked x 10 5 HPCE / dt10 / 2012 / 0.29

30 Questions? HPCE / dt10 / 2012 / 0.30

High Performance Computing for Engineers

High Performance Computing for Engineers High Performance Computing for Engineers David Thomas dt10@ic.ac.uk Room 903 HPCE / dt10/ 2013 / 0.1 High Performance Computing for Engineers Research Testing communication protocols Evaluating signal-processing

More information

EE 579: Digital System Testing. EECS 579 Course Goals

EE 579: Digital System Testing. EECS 579 Course Goals EE 579: Digital System Testing Lecture 1: Course Introduction and Overview John P. Hayes University of Michigan EECS 579 Fall 2001 Lecture 01: Page 1 EECS 579 Course Goals To learn about The role of testing

More information

EPCC A UK HPC CENTRE. Adrian Jackson. Research Architect

EPCC A UK HPC CENTRE.  Adrian Jackson. Research Architect EPCC A UK HPC CENTRE http://www.epcc.ed.ac.uk Adrian Jackson adrianj@epcc.ed.ac.uk Research Architect International Aspect EPCC Edinburgh Parallel Computing Centre founded in 1990 at the University of

More information

Multicore Processors Big deal? or No big deal? Steven Parker SCI Institute School of Computing University of Utah

Multicore Processors Big deal? or No big deal? Steven Parker SCI Institute School of Computing University of Utah Multicore Processors Big deal? or No big deal? Steven Parker SCI Institute School of Computing University of Utah 1 SCI Institute SCI Institute software 3 No big deal SMP machines have been available for

More information

Announcement of Request for DoD HPC Modernization Program HPC Equipment Reutilization Proposals

Announcement of Request for DoD HPC Modernization Program HPC Equipment Reutilization Proposals Date: 18 May 2018 Announcement of Request for DoD HPC Modernization Program HPC Equipment Reutilization Proposals I. INTRODUCTION Department of Defense (DoD) High Performance Computing Modernization Program

More information

How do I get an Allocation?

How do I get an Allocation? How do I get an Allocation? How do I get time on an HPC system and what is available? You must submit a proposal for a project in order to gain access to an HPC system. We have two resources available

More information

Software as Infrastructure at NSF. Daniel S. Katz Program Director, Division of Advanced Cyberinfrastructure

Software as Infrastructure at NSF. Daniel S. Katz Program Director, Division of Advanced Cyberinfrastructure Software as Infrastructure at NSF Daniel S. Katz Program Director, Division of Advanced Cyberinfrastructure Big Science and Infrastructure Hurricanes affect humans Multi-physics: atmosphere, ocean, coast,

More information

FPGA Accelerator Virtualization in an OpenPOWERcloud. Fei Chen, Yonghua Lin IBM China Research Lab

FPGA Accelerator Virtualization in an OpenPOWERcloud. Fei Chen, Yonghua Lin IBM China Research Lab FPGA Accelerator Virtualization in an OpenPOWERcloud Fei Chen, Yonghua Lin IBM China Research Lab Trend of Acceleration Technology Acceleration in Cloud is Taking Off Used FPGA to accelerate Bing search

More information

How to obtain HPC resources. A. Emerson, HPC, Cineca.

How to obtain HPC resources. A. Emerson, HPC, Cineca. How to obtain HPC resources A. Emerson, HPC, Cineca. How do I get access to a supercomputer? With the exception of commercial agreements, virtually all access to HPC systems is via peer-reviewed calls

More information

SJTU CCOE Annual Report and Renew Request

SJTU CCOE Annual Report and Renew Request SJTU CCOE Annual Report and Renew Request James LIN and Yizhong GU Center for HPC, Shanghai Jiao Tong University http://hpc.sjtu.edu.cn 15th February 2014 1. About SJTU CCOE SJTU was awarded a CCOE in

More information

DARPA-BAA TRADES Frequently Asked Questions (FAQs) as of 7/19/16

DARPA-BAA TRADES Frequently Asked Questions (FAQs) as of 7/19/16 DARPA-BAA-16-39 TRADES Frequently Asked Questions (FAQs) as of 7/19/16 72Q: Is it okay to include a Non-U.S. organization and/or individuals as a subcontractor? 72A: Yes, as long as the eligibility requirements

More information

Report from the Executive Committee

Report from the Executive Committee Report from the Executive Committee Paul Mackenzie mackenzie@fnal.gov USQCD All Hands Meeting Fermilab May 4-5, 2012 Outline LQCD-ext Project, 2010-2014 LQCD-ARRA Project, 2009-2012 Current INCITE Grant

More information

You ll love the Vue. Philips IntelliVue Information Center ix

You ll love the Vue. Philips IntelliVue Information Center ix You ll love the Vue Philips IntelliVue Information Center ix IT Director It has to fit into our IT infrastructure and integrate easily with our EMR and HIS. Clinical Engineering Make it easy to support.

More information

Personal cloud computer available for everyone

Personal cloud computer available for everyone Personal cloud computer available for everyone Boosteroid.com V.1.1 Personal cloud computer available for everyone Pre-ICO 22-29 September 2017 Token price: $0,1-0,47 ICO October 23 - November 6, 2017

More information

NICS and the NSF's High-Performance Computing Program. Jim Ferguson NICS Director of Education, Outreach & Training 8 September 2011

NICS and the NSF's High-Performance Computing Program. Jim Ferguson NICS Director of Education, Outreach & Training 8 September 2011 NICS and the NSF's High-Performance Computing Program Jim Ferguson NICS Director of Education, Outreach & Training 8 September 2011 Acknowledgement Phil Andrews, 1955-2011 NICS Director, pre-opening of

More information

Best Practices for Writing a Successful NSF MRI Grant Proposal

Best Practices for Writing a Successful NSF MRI Grant Proposal WHITE PAPER Best Practices for Writing a Successful NSF MRI Grant Proposal Eight steps to winning HPC cluster funding. Produced by The Major Research Instrumentation Program (MRI), administered by the

More information

Collaborative R&D Funding Infineon UK

Collaborative R&D Funding Infineon UK Collaborative R&D Funding Infineon UK Electric Vehicle FP7 Funding Information Meeting SMMT 28 th June 2010 Helen Finch helen.finch@infineon.com First Collaborative Projects The Story So Far... Infineon

More information

DEPARTMENT OF INSTRUMENTATION AND CONTROL ENGINEERING (Established in 1993)

DEPARTMENT OF INSTRUMENTATION AND CONTROL ENGINEERING (Established in 1993) DEPARTMENT OF INSTRUMENTATION AND CONTROL ENGINEERING (Established in 1993) THANK YOU Department Attributes Committed faculty with good working culture State of the art laboratories Recognized as a research

More information

2009 Student Technology Fee Proposal Form

2009 Student Technology Fee Proposal Form 2009 Student Technology Fee Proposal Form Title of Project: ET 308 CAD/CAM Computer Lab Upgrade Department/Organization: Engineering Technology Name(s) of Project Applicant(s) Name Eric McKell MS 9086

More information

Domain Reuse. Mr. Neil Patterson & Mr. Milton Smith

Domain Reuse. Mr. Neil Patterson & Mr. Milton Smith Domain Reuse Mr. Neil Patterson & Mr. Milton Smith Background The Fires Software Engineering Division has been moving and promoting domain reuse for the last 20 years. We have an active on-going reuse

More information

ASLR^Cache: Practical Cache Attacks on the MMU

ASLR^Cache: Practical Cache Attacks on the MMU Cisco CRC - 45 minutes ASLR^: Practical Attacks on the MMU Ben Gras Kaveh Razavi Erik Bosman Herbert Bos Cristiano Giuffrida Vrije Universiteit Amsterdam 1 Teaser Compute virtual addresses of data & code

More information

Success Story Enabling Global Growth with NVIDIA GRID

Success Story Enabling Global Growth with NVIDIA GRID Success Story Enabling Global Growth with NVIDIA GRID #GTC17EU Enabling global growth with NVIDIA GRID Rody Kossen & Jits Langedijk AWL - Introduction Keeps you ahead in automated welding www.awl.nl 4

More information

Enabling Safe Multi-Computer Usage with Flash Memory. Flash Memory Summit Session 101 Consumer Applications Panelist: Jay Elliot

Enabling Safe Multi-Computer Usage with Flash Memory. Flash Memory Summit Session 101 Consumer Applications Panelist: Jay Elliot Enabling Safe Multi-Computer Usage with Flash Memory Flash Memory Summit Session 101 Consumer Applications Panelist: Jay Elliot 1 Migo is a terrific little product that makes life simpler. -Walter Mossberg,

More information

2 nd Call for Collaborative Data Science Projects

2 nd Call for Collaborative Data Science Projects 2 nd Call for Collaborative Data Science Projects Winter 2018 Submission Deadlines Pre-Proposals: June 01, 2018 Full Proposals: Aug 31, 2018 Swiss Data Science Center EPFL, Station 14, 1015 Lausanne ETHZ,

More information

Introduction. Groupware. Groupware development and research contexts. Time-space classification of groupware

Introduction. Groupware. Groupware development and research contexts. Time-space classification of groupware Groupware Digital Business Commuications Introduction UID/HCI has traditionally focused on a single user and their machine 1980s saw increasing interest in multiuser systems and interfaces Computer Support

More information

UNCLASSIFIED. R-1 ITEM NOMENCLATURE PE D8Z: Central Test and Evaluation Investment Program (CTEIP) FY 2011 Total Estimate. FY 2011 OCO Estimate

UNCLASSIFIED. R-1 ITEM NOMENCLATURE PE D8Z: Central Test and Evaluation Investment Program (CTEIP) FY 2011 Total Estimate. FY 2011 OCO Estimate COST ($ in Millions) FY 2009 Actual FY 2010 FY 2012 FY 2013 FY 2014 FY 2015 Cost To Complete Program Element 143.612 160.959 162.286 0.000 162.286 165.007 158.842 156.055 157.994 Continuing Continuing

More information

INCITE Proposal Writing Webinar April 25, 2013

INCITE Proposal Writing Webinar April 25, 2013 INCITE Proposal Writing Webinar April 25, 2013 James Osborn ALCF Catalyst Team Argonne National Laboratory Matt Norman OLCF Scientific Computing Group Oak Ridge National Laboratory and Julia C. White,

More information

DEEP LEARNING FOR PATIENT FLOW MALCOLM PRADHAN, CMO

DEEP LEARNING FOR PATIENT FLOW MALCOLM PRADHAN, CMO DEEP LEARNING FOR PATIENT FLOW MALCOLM PRADHAN, CMO OVERVIEW Why are smart machines are important for health care The emergence of deep learning Deep learning vs existing methods Some early results Practical

More information

Deployment Guide. GlobalMeet 5 June 27, 2018

Deployment Guide. GlobalMeet 5 June 27, 2018 1. Deployment Guide GlobalMeet 5 June 27, 2018 Table of Contents Introduction 3 Contents of this guide 3 Intended audience 3 Version information 3 What s new in this guide 4 About GlobalMeet 5 Meeting

More information

School of Engineering and Technology

School of Engineering and Technology School of Engineering and Technology Industrial-Based Senior Projects BACKGROUND: Thank you for your interest in sponsoring a senior project with the Lake Superior State University (LSSU) School of Engineering

More information

2017 Annual Missile Defense Small Business Programs Conference

2017 Annual Missile Defense Small Business Programs Conference 2017 Annual Missile Defense Small Business Programs Conference DISTRIBUTION STATEMENT A. Approved for public release; distribution is unlimited. DISTRIBUTION STATEMENT A. Approved for public release; distribution

More information

Realization of FPGA based numerically Controlled Oscillator

Realization of FPGA based numerically Controlled Oscillator IOSR Journal of VLSI and Signal Processing (IOSR-JVSP) ISSN: 2319 4200, ISBN No. : 2319 4197 Volume 1, Issue 5 (Jan. - Feb 2013), PP 07-11 Realization of FPGA based numerically Controlled Oscillator Gopal

More information

Federal Demonstration Partnership. January 12, 2009 Michael Pellegrino

Federal Demonstration Partnership. January 12, 2009 Michael Pellegrino Federal Demonstration Partnership January 12, 2009 Michael Pellegrino Agenda Participation Update Current System Issues Real Simple Syndication (RSS Feed) Adobe Transition Build 2008 03 Request for Proposal

More information

DEFENSE INFORMATION SYSTEMS AGENCY P. O. BOX 4502 ARLINGTON, VIRGINIA Joint Interoperability Test Command (JTE) 23 Dec 09

DEFENSE INFORMATION SYSTEMS AGENCY P. O. BOX 4502 ARLINGTON, VIRGINIA Joint Interoperability Test Command (JTE) 23 Dec 09 DEFENSE INFORMATION SYSTEMS AGENCY P. O. BOX 4502 ARLINGTON, VIRGINIA 22204-4502 IN REPLY REFER TO: Joint Interoperability Test Command (JTE) 23 Dec 09 MEMORANDUM FOR DISTRIBUTION SUBJECT: Extension of

More information

Hilton Reservations and Customer Care

Hilton Reservations and Customer Care Hilton Reservations and Customer Care Case Study Challenge: Growing Call Center Capacity While Cutting Costs This is a good time to be in the hospitality industry. Leisure travel is up 19 percent since

More information

YOU ARE CORDIALLY INVITED to attend the IDN-KANSAS CITY Trade Show THURSDAY APRIL 19, :00-2:00 2-DAYS OF EDUCATION. Holiday Inn & Suites

YOU ARE CORDIALLY INVITED to attend the IDN-KANSAS CITY Trade Show THURSDAY APRIL 19, :00-2:00 2-DAYS OF EDUCATION. Holiday Inn & Suites THURSDAY 11:00-2:00 LUNCH: 12:00 pm - 1:00 pm 2-DAYS OF WEDNESDAY, APR IL 18, 2018 8:00 AM - 5:00 PM THURSDAY, APRIL 19, 2018 8:00 AM - 12:00 P M YOU ARE CORDIALLY INVITED to attend the Trade Show LOOK

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

Radar Open Systems Architectures

Radar Open Systems Architectures Radar Open Systems Architectures Don Scott Lucero DDRE/Systems Engineering Deputy Director, Strategic Initiatives 13 th Annual NDIA Systems Engineering Conference San Diego, CA October 28, 2010 Oct 2010

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

Tuning Your MPI Application Without Writing Code. SNUG TechTalk, 8 Feb 2012

Tuning Your MPI Application Without Writing Code. SNUG TechTalk, 8 Feb 2012 Tuning Your MPI Application Without Writing Code SNUG TechTalk, 8 Feb 2012 Outline MPI Libraries Eager vs Rendezvous, Collective Algorithms mpitune otpo Locality and Pinning Inside an MPI Library You send

More information

Code 85 Weapons Analysis Facility (WAF) Technical Engineering Services Pre-Solicitation Conference

Code 85 Weapons Analysis Facility (WAF) Technical Engineering Services Pre-Solicitation Conference Code 85 Weapons Analysis Facility (WAF) Technical Engineering Services Pre-Solicitation Conference NUWC Division Newport Undersea Collaboration & Technology Outreach Center (UCTOC) June 12, 2014 Agenda

More information

Agathoklis Papadopoulos, PhD

Agathoklis Papadopoulos, PhD Agathoklis Papadopoulos, PhD Address: 2, Kerkyras str., Flat 102 2103, Nicosia, Cyprus Telephone: +357.99477931 Email: agathoklis.papadopoulos@gmail.com LinkedIn: cy.linkedin.com/in/papadopoulosagathoklis

More information

UNCLASSIFIED. UNCLASSIFIED Army Page 1 of 7 R-1 Line #9

UNCLASSIFIED. UNCLASSIFIED Army Page 1 of 7 R-1 Line #9 Exhibit R-2, RDT&E Budget Item Justification: PB 2015 Army Date: March 2014 2040:, Development, Test & Evaluation, Army / BA 2: Applied COST ($ in Millions) Prior Years FY 2013 FY 2014 FY 2015 Base FY

More information

NAWIPS Migration to AWIPS II Status Update Unidata Users Committee Meeting. NCEP Central Operations 11 April 2011

NAWIPS Migration to AWIPS II Status Update Unidata Users Committee Meeting. NCEP Central Operations 11 April 2011 NAWIPS Migration to AWIPS II Status Update Unidata Users Committee Meeting NCEP Central Operations 11 April 2011 Topics Project Status / National Status Activities since October Forecaster Integration

More information

Computer System. Computer hardware. Application software: Time-Sharing Environment. Introduction to Computer and C++ Programming.

Computer System. Computer hardware. Application software: Time-Sharing Environment. Introduction to Computer and C++ Programming. ECE 114 1 Computer System Introduction to Computer and C++ Programming Computer System Dr. Z. Aliyazicioglu Cal Poly Pomona Electrical & Computer Engineering Cal Poly Pomona Electrical & Computer Engineering

More information

Net-Enabled Mission Command (NeMC) & Network Integration LandWarNet / LandISRNet

Net-Enabled Mission Command (NeMC) & Network Integration LandWarNet / LandISRNet Net-Enabled Mission Command (NeMC) & Network Integration LandWarNet / LandISRNet 1 LandWarNet (LWN) Initial Capabilities Document (ICD) / Network Enabled Mission Command (NeMC) ICD LandISRNet Intel Appendices

More information

PFAU 9.0: Fluid-Structure Simulations with OpenFOAM for Aircraft Designs"

PFAU 9.0: Fluid-Structure Simulations with OpenFOAM for Aircraft Designs PFAU 9.0: Fluid-Structure Simulations with OpenFOAM for Aircraft Designs" 9 th OpenFOAM User Meeting 3.11.2014, JKU Linz DI Thomas Ponweiser RISC Software GmbH Softwarepark 35, 4232 Hagenberg, Austria

More information

The future of innovation in view of the new EU policies: Europe 2020, Innovation Union, Horizon Nikos Zaharis, SEERC December 29, 2011

The future of innovation in view of the new EU policies: Europe 2020, Innovation Union, Horizon Nikos Zaharis, SEERC December 29, 2011 The future of innovation in view of the new EU policies: Europe 2020, Innovation Union, Horizon 2020 Nikos Zaharis, SEERC December 29, 2011 1 Europe 2020 5 Targets for the year 2020: 1. Employment 75%

More information

YOUR BUSINESS CAN T WAIT for VoIP

YOUR BUSINESS CAN T WAIT for VoIP THE 4 REASONS YOUR BUSINESS CAN T WAIT for VoIP TABLE OF CONTENTS Introduction...3 The Big Four...6 Reduce Communications Costs...9 Increase Operational Efficiency...11 Enhance Productivity and Collaboration...14

More information

UNCLASSIFIED R-1 ITEM NOMENCLATURE FY 2013 OCO

UNCLASSIFIED R-1 ITEM NOMENCLATURE FY 2013 OCO Exhibit R-2, RDT&E Budget Item Justification: PB 2013 Army DATE: February 2012 COST ($ in Millions) FY 2011 FY 2012 Base OCO Total FY 2014 FY 2015 FY 2016 FY 2017 Cost To Complete Total Cost Total Program

More information

Computer Science Undergraduate Scholarship

Computer Science Undergraduate Scholarship Computer Science Undergraduate Scholarship Regulations The Computer Science Department at the University of Waikato runs an annual Scholarship examination. Up to 10 Scholarships are awarded on the basis

More information

Mr. Vincent Grizio Program Manager MISSION SUPPORT SYSTEMS (MSS)

Mr. Vincent Grizio Program Manager MISSION SUPPORT SYSTEMS (MSS) RSC SPECIAL OPERATIONS FORCES INDUSTRY CONFERENCE Win Transform People Mr. Vincent Grizio Program Manager MISSION SUPPORT SYSTEMS (MSS) DISTRIBUTION A: APPROVED FOR PUBLIC RELEASE Program Manager Mission

More information

Simulation: Overview and Taxonomy

Simulation: Overview and Taxonomy Simulation: Overview and Taxonomy Jeffery von Ronne Department of Computer Science Carnegie Mellon University April 16, 2012 Jeffery von Ronne (CMU) 15-110 Unit 12B April 16, 2012 1 / 12 Outline Computer

More information

Adopting HTCondor at Raytheon

Adopting HTCondor at Raytheon Adopting HTCondor at Raytheon Michael V. Pelletier Principal Engineer Information Technology May 2015 Copyright 2015 Raytheon Company. All rights reserved. Customer Success Is Our Mission is a registered

More information

GLOBALMEET USER GUIDE

GLOBALMEET USER GUIDE GLOBALMEET USER GUIDE Release 4.0 October 2017 (REV2) Includes: GlobalMeet web meetings GlobalMeet desktop tools (Mac and Windows) GlobalMeet for Outlook (Mac and Windows) TABLE OF CONTENTS GlobalMeet

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

DARPA BAA HR001117S0054 Intelligent Design of Electronic Assets (IDEA) Frequently Asked Questions Updated October 3rd, 2017

DARPA BAA HR001117S0054 Intelligent Design of Electronic Assets (IDEA) Frequently Asked Questions Updated October 3rd, 2017 General Questions: Question 1. Are international universities allowed to be part of a team? Answer 1. All interested/qualified sources may respond subject to the parameters outlined in BAA. As discussed

More information

GE Medical Systems Information Technologies. ApexPro FH Enterprise-Wide Telemetry

GE Medical Systems Information Technologies. ApexPro FH Enterprise-Wide Telemetry GE Medical Systems Information Technologies ApexPro FH Enterprise-Wide Telemetry Today s EXCEPTION is tomorrow s rule. When you demand telemetry excellence, GE s ApexPro FH spread spectrum telemetry system

More information

One Size Doesn t Fit All

One Size Doesn t Fit All Brazil The workplace is changing but in Brazil, some traditional practices still hold fast. Working in the office is an expectation, and face time with management is still important. However, mobile technologies

More information

ARMY RDT&E BUDGET ITEM JUSTIFICATION (R2 Exhibit)

ARMY RDT&E BUDGET ITEM JUSTIFICATION (R2 Exhibit) BUDGET ACTIVITY ARMY RDT&E BUDGET ITEM JUSTIFICATION (R2 Exhibit) PE NUMBER AND TITLE Communications Technology COST (In Thousands) FY 2003 FY 2004 FY 2005 FY 2006 FY 2007 FY 2008 FY 2009 Actual Estimate

More information

Welcome to the 2016 XSEDE Summer Boot Camp

Welcome to the 2016 XSEDE Summer Boot Camp Welcome to the 2016 XSEDE Summer Boot Camp John Urbanic Parallel Computing Scientist Pittsburgh Supercomputing Center Copyright 2018 Who are we? Your hosts: Pittsburgh Supercomputing Center Our satellite

More information

INTRODUCTION TO Mobile Diagnostic Imaging. A quick-start guide designed to help you learn the basics of mobile diagnostic imaging

INTRODUCTION TO Mobile Diagnostic Imaging. A quick-start guide designed to help you learn the basics of mobile diagnostic imaging INTRODUCTION TO Mobile Diagnostic Imaging A quick-start guide designed to help you learn the basics of mobile diagnostic imaging INTRODUCTION TO Mobile Diagnostic Imaging TABLE OF CONTENTS How does mobile

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

Joseph Wei

Joseph Wei IEEE: The Force Behind Innovation Joseph Wei (joseph.wei@ieee.org) Chair, IEEE Consumer Electronics Society, SCV Vice Chair, Chair (2015 2016), Santa Clara Valley Section Co-founder, Lab360 Hardware Incubator

More information

INCITE Proposal Writing Webinar

INCITE Proposal Writing Webinar INCITE Proposal Writing Webinar Hal Finkel ALCF Catalyst Team Argonne National Laboratory Tjerk Straatsma OLCF Scientific Computing Group Oak Ridge National Laboratory Judith Hill INCITE Program Manager

More information

ECE Computer Engineering I. ECE Introduction. Z. Aliyazicioglu. Electrical and Computer Engineering Department Cal Poly Pomona

ECE Computer Engineering I. ECE Introduction. Z. Aliyazicioglu. Electrical and Computer Engineering Department Cal Poly Pomona ECE 34-2 Computer Engineering I ECE34-. Introduction Z. Aliyazicioglu Electrical and Computer Engineering Department Cal Poly Pomona Cal Poly Pomona Electrical & Computer Engineering Dept. ECE 34- Instructors

More information

Moving Target Artillery Round (MTAR) 2016 NDIA Armament Systems Forum

Moving Target Artillery Round (MTAR) 2016 NDIA Armament Systems Forum Moving Target Artillery Round (MTAR) 2016 NDIA Armament Systems Forum Luke Steelman 25-28 Apr 2016 Long Range Precision Fires Maritime (LRPF-M) Deliberate Universal Needs Statement (D-UNS) Requests critically

More information

AFCEA Mission Command Industry Engagement Symposium

AFCEA Mission Command Industry Engagement Symposium UNCLASSIFIED/ AFCEA Mission Command Industry Engagement Symposium MG Pete Gallagher Director, Network CFT 3 April 2018 Network CFT Collaboration, Fusion & Transparency WARFIGHTING REQUIREMENTS Army Warfighters

More information

DARPA BAA HR001117S0054 Posh Open Source Hardware (POSH) Frequently Asked Questions Updated November 6, 2017

DARPA BAA HR001117S0054 Posh Open Source Hardware (POSH) Frequently Asked Questions Updated November 6, 2017 General Questions: Question 1. Are international universities allowed to be part of a team? Answer 1. All interested/qualified sources may respond subject to the parameters outlined in BAA. As discussed

More information

Streamline Practice, Laboratory and Clinical Workflows. Healthcare Identification Solutions

Streamline Practice, Laboratory and Clinical Workflows. Healthcare Identification Solutions Streamline Practice, Laboratory and Clinical Workflows Healthcare Identification Solutions Meeting the challenges of healthcare Modern healthcare is a world of complicated, competing demands. Physicians

More information

7. Study and Evaluation Scheme for Diploma Programme In Computer Engineering (For the State of Haryana)

7. Study and Evaluation Scheme for Diploma Programme In Computer Engineering (For the State of Haryana) 7. Study and Evaluation Scheme for Diploma Programme In Computer Engineering (For the State of Haryana) FIRST SEMESTER(Computer Engineering) EVALUATION External L T P 1.1.* Communication Skills I 3-2 25

More information

It's time for a change to better utilize resources in healthcare

It's time for a change to better utilize resources in healthcare Lecture Notes in Management Science (2013) Vol. 5: 167 173 5 th International Conference on Applied Operational Research, Proceedings Tadbir Operational Research Group Ltd. All rights reserved. www.tadbir.ca

More information

UNCLASSIFIED. R-1 Program Element (Number/Name) PE A / Landmine Warfare and Barrier Advanced Technology. Prior Years FY 2013 FY 2014 FY 2015

UNCLASSIFIED. R-1 Program Element (Number/Name) PE A / Landmine Warfare and Barrier Advanced Technology. Prior Years FY 2013 FY 2014 FY 2015 Exhibit R-2, RDT&E Budget Item Justification: PB 2015 Army Date: March 2014 2040: Research, Development, Test & Evaluation, Army / BA 3: Advanced Technology Development (ATD) COST ($ in Millions) Prior

More information

P.O.Box 4500 Phone: +358 (0) OULU FINLAND Homepages:

P.O.Box 4500 Phone: +358 (0) OULU FINLAND Homepages: Hirley ALVES Brazilian, male, single, 31 years old. Centre for Wireless Communications (CWC) Born 02.03.86, Lapa-PR, Brazil University of Oulu (UOULU) Email: hirley.alves@oulu.fi P.O.Box 4500 Phone: +358

More information

Table of Contents DARPA-BAA-16-62

Table of Contents DARPA-BAA-16-62 Broad Agency Announcement Common Heterogeneous Integration and IP Reuse Strategies (CHIPS) Microsystems Technology Office DARPA-BAA-16-62 September 29, 2016 1 Table of Contents PART I: OVERVIEW INFORMATION...4

More information

2-DAYS OF EDUCATION TUESDAY, AUGUST 7, :00 AM - 5:00 PM TRADE SHOW WEDNESDAY, AUGUST 8, :00 AM - 2:00 PM YOU ARE CORDIALLY INVITED

2-DAYS OF EDUCATION TUESDAY, AUGUST 7, :00 AM - 5:00 PM TRADE SHOW WEDNESDAY, AUGUST 8, :00 AM - 2:00 PM YOU ARE CORDIALLY INVITED YOU ARE CORDIALLY INVITED to attend the IDN-Grand Rapids Trade Show TRADE SHOW 11:00 AM - 2:00 PM LIVE AT 2-DAYS OF EDUCATION TUESDAY, AUGUST 7, 2018 8:00 AM - 5:00 PM 8:00 AM - 11:00 AM LOOK INSIDE FOR

More information

L.Y r \ Office ofmanagement and Budget

L.Y r \ Office ofmanagement and Budget July 26, 2013 M-13-16 MEMORANDUM FOR THE HEADS OF EXECUTIVE DEPARTMENTS AND AGENCIES FROM: Sylvia Mathews BurweaJAA'b Director L.Y r \ Office ofmanagement and Budget Dr. John P. Holdren Director Office

More information

Dynamic Decision Support A War Winning Edge

Dynamic Decision Support A War Winning Edge Dave O Connor Panther Games Pty Ltd 3 Valli Place, Chapman ACT 2611 AUSTRALIA dave@panthergames.com ABSTRACT Introduction Every operational commander wants to go to war with a winning edge. For the past

More information

CAP IP. ip intercom REFUGE CALL POINTS IP NETWORK SALES DEPARTMENT SECURITY DISPATCH SMARTPHONE SUPERVISION IP MAYLIS RANGE

CAP IP. ip intercom REFUGE CALL POINTS IP NETWORK SALES DEPARTMENT SECURITY DISPATCH SMARTPHONE SUPERVISION IP MAYLIS RANGE CAP IP ip intercom A GLOBAL FULL IP / SIP ACCESS INTERCOM AND AUDIO VIDEO INTERCOMMUNICATION SOLUTION PRINCIPAL VISITOR ACCESS ENTRANCE FLOORS VISITORS CAR PARK CAP IP AUDIO VIDEO KEYPAD SELECTABLE LIST

More information

5Ways to. Leverage Data-driven Patient Care

5Ways to. Leverage Data-driven Patient Care 5Ways to Leverage Data-driven Patient Care Physicians, like all business leaders, are looking for ways to retain customers and drive new business in competitive markets. There are some solid reasons to

More information

Pioneering ONLINE RECRUITMENT software

Pioneering ONLINE RECRUITMENT software Pioneering ONLINE RECRUITMENT software Jobtrain s APPLICANT TRACKING SOFTWARE is designed to work for you to SUPPORT, MANAGE and AUTOMATE your recruitment processes with SECURE, highly intuitive, leading

More information

MLR Institute of Technology

MLR Institute of Technology MLR Institute of Technology Laxma Reddy Avenue, Dundigal, Quthbullapur (M), Hyderabad 500 043 Phone Nos: 08418 204066 / 204088, Fax : 08418 204088 -----------------------------------------------------------------------------------------------------------------

More information

eprint MOBILE DRIVER User Guide

eprint MOBILE DRIVER User Guide eprint MOBILE DRIVER User Guide eprint Mobile Driver User Guide Copyright and License 2011 Copyright Hewlett-Packard Development Company, L.P. Reproduction, adaptation, or translation without prior written

More information

PROCEDURE FOR MOBILE DEVICE & TELEWORKING POLICY

PROCEDURE FOR MOBILE DEVICE & TELEWORKING POLICY CLASSIFICATION Internal DOCUMENT NO: DOCUMENT TITLE: OIL-IS-PRO-MDTP PROCEDURE FOR MOBILE DEVICE & TELEWORKING POLICY VERSION NO 1.0 RELEASE DATE 28/02/2015 LAST REVIEW DATE 31.03.2017 PROCEDURE FOR MOBILE

More information

UNCLASSIFIED. UNCLASSIFIED Army Page 1 of 10 R-1 Line #10

UNCLASSIFIED. UNCLASSIFIED Army Page 1 of 10 R-1 Line #10 Exhibit R-2, RDT&E Budget Item Justification: PB 2015 Army Date: March 2014 2040: Research, Development, Test & Evaluation, Army / BA 2: Applied Research COST ($ in Millions) Prior Years FY 2013 FY 2014

More information

UNCLASSIFIED R-1 ITEM NOMENCLATURE FY 2013 OCO

UNCLASSIFIED R-1 ITEM NOMENCLATURE FY 2013 OCO Exhibit R-2, RDT&E Budget Item Justification: PB 213 Army DATE: February 212 COST ($ in Millions) FY 211 FY 212 FY 214 FY 215 FY 216 FY 217 To Complete Program Element 125.44 31.649 4.876-4.876 25.655

More information

Oracle Taleo Cloud for Midsize (TBE)

Oracle Taleo Cloud for Midsize (TBE) Oracle Taleo Cloud for Midsize (TBE) Release 17A1 New Feature Summary January 2017 TABLE OF CONTENTS REVISION HISTORY... 3 ORACLE TALEO CLOUD FOR MIDSIZE (TALEO BUSINESS EDITION)... 4 TALENT CENTER ENHANCEMENTS...

More information

The Application and Use of Telepresence Robots. April 2011

The Application and Use of Telepresence Robots. April 2011 The Application and Use of Telepresence Robots April 2011 1 Personal Robots? 2 Telepresence Robots 3 The New York Times - Sept 5, 2010 4 Bloomberg Business Week - Feb 21, 2011 5 Three Components of Robotic

More information

CONTINUOUS IMPROVEMENT INITIATIVE GUIDELINES OCTOBER 2017

CONTINUOUS IMPROVEMENT INITIATIVE GUIDELINES OCTOBER 2017 CONTINUOUS IMPROVEMENT INITIATIVE GUIDELINES 2017 2018 OCTOBER 2017 What is the purpose of the Continuous Improvement Initiative? Continuous Improvement Initiative Guidelines Launched in February 2007,

More information

Universal Armament Interface (UAI)

Universal Armament Interface (UAI) Universal Armament Interface (UAI) Oren Edwards USAF Aeronautical Systems Center Phone: +1 937-904-6060 Oren.Edwards@wpafb.af.mil DISTRIBUTION STATEMENT A: approved for public release; distribution is

More information

europeana business plan 2012

europeana business plan 2012 Business Plan 2012 2 europeana business plan 2012 Contents Introduction 5 1 Aggregate 6 Build the open trusted source for European cultural heritage content 2 Facilitate 10 Support the cultural heritage

More information

Consultancy Services for Building a Knowledge Management System (Data Portal) for Ministry of Education, Baghdad (Re-Advertisement)

Consultancy Services for Building a Knowledge Management System (Data Portal) for Ministry of Education, Baghdad (Re-Advertisement) Consultancy Services for Building a Knowledge Management System (Data Portal) for Ministry of Education, Baghdad (Re-Advertisement) Background UNICEF supported the Ministry of Education in Iraq to do school

More information

CENGN Summit December 7, 2017 Strategic Program Development and Delivery Office

CENGN Summit December 7, 2017 Strategic Program Development and Delivery Office Ministry of Research, Innovation and Science / Ministry of Economic Development and Growth CENGN Summit December 7, 2017 Strategic Program Development and Delivery Office The Digital Economy is growing

More information

Powerful yet simple digital clinical noting and sketching from PatientSource. Patient Care Safely in One Place

Powerful yet simple digital clinical noting and sketching from PatientSource. Patient Care Safely in One Place Powerful yet simple digital clinical noting and sketching from PatientSource Patient Care Safely in One Place Take all of your patients notes with you anywhere in the hospital PatientSource Clinical Noting

More information

Developing a LIMS to Support Trials in the United Kingdom

Developing a LIMS to Support Trials in the United Kingdom Developing a LIMS to Support Trials in the United Kingdom Jonathan Gibb Robertson Centre for Biostatistics, part of the Glasgow Clinical Trials Unit What is a LIMS? Laboratory Information Management System

More information

2018 Annual Missile Defense Small Business Programs Conference

2018 Annual Missile Defense Small Business Programs Conference 2018 Annual Missile Defense Small Business Programs Conference DISTRIBUTION STATEMENT A. Approved for public release; distribution is unlimited. 15 May 2018 Mr. Joseph C. Keelon Program Executive for Advanced

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

AIR FORCE MISSION SUPPORT SYSTEM (AFMSS)

AIR FORCE MISSION SUPPORT SYSTEM (AFMSS) AIR FORCE MISSION SUPPORT SYSTEM (AFMSS) MPS-III PFPS Air Force ACAT IAC Program Prime Contractor Total Number of Systems: 2,900 AFMSS/UNIX-based Systems: Total Program Cost (TY$): $652M+ Sanders (Lockheed

More information

Acute Care Solutions. A range of modern, intuitive and marketleading solutions for the next generation of hospital IT

Acute Care Solutions. A range of modern, intuitive and marketleading solutions for the next generation of hospital IT Acute Care Solutions A range of modern, intuitive and marketleading solutions for the next generation of hospital IT Our acute care suite is a modern, fully-modular, NHS solution, which can be built to

More information

UNIVERSITY LIBRARIES

UNIVERSITY LIBRARIES UNIVERSITY LIBRARIES About Us The University Libraries play an essential role in furthering Virginia Tech s mission as a global land-grant university by providing a diversity of resources to produce,

More information