ADVANTAGES OF SIMULATION

Size: px
Start display at page:

Download "ADVANTAGES OF SIMULATION"

Transcription

1 ADVANTAGES OF SIMULATION Most complex, real-world systems with stochastic elements cannot be accurately described by a mathematical model that can be evaluated analytically. Thus, a simulation is often the only type of investigation possible. Simulation allows one to estimate the performance of an existing system under some projected set of operating conditions. Alternative proposed system designs (or alternative operating policies for a single system) can be compared via simulation to see which best meets a specified requirement. In a simulation we can maintain much better control over experimental conditions than would generally be possible when experimenting with the system itself. Simulation allows us to study a system with a long time frame--- e.g., an economic system---in compressed time, or alternatively to study the detailed workings of a system in expanded time. 1

2 DISADVANTAGES OF SIMULATION Each run of a stochastic simulation model produces only estimates of a model s true characteristics for a particular set of input parameters. If a valid analytic model is available or can be easily de developed, it will generally be preferable to a simulation model. Simulation models are often expensive and timeconsuming to develop. If a model is not a valid representation of a system under study, the simulation results, no matter how impressive they appear, will provide little useful information about the actual system. 2

3 DISADVANTAGES OF SIMULATION Each simulation model is unique In some studies both simulation and analytic models might be useful. In particular, simulation can be used to check the validity of assumptions needed in an analytic model. On the other hand, an analytic model can suggest reasonable alternatives to investigate in a simulation study. 3

4 Pitfalls to the successful completion of a simulation study Failure to have a well-defined set of objectives at the beginning of the simulation study Inappropriate level of model detail Failure to communicate with management throughout the course of the simulation study Misunderstanding of simulation by management Treating a simulation study as if it were primarily an exercise in computer programming Failure to have people with a knowledge of simulation methodology and statistics on the modeling team Failure to collect good system data Inappropriate simulation software Obliviously using simulation software products whose complex marco statement may not be well documented and may not implement the desired modeling logic 4

5 Pitfalls to the successful completion of a simulation study Belief that easy-to-use simulation packages, which require little or no programming, require a significantly lower level of technical competence Misuse of animation Failure to account correctly for sources of randomness in the actual system Using arbitrary distributions (e.g., normal, uniform, or triangular) as input to the simulation Analyzing the output data from one simulation run (replication) using formulas that assume independence Making a single replication of a particular system design and treating the output statistics as the true answers Comparing alternative system design on the basis of one replication for each design Using the wrong performance measures 5

6 Discrete-Event Simulation continued 6

7 State Variables server queue customer State: InTheAir: number of aircraft either landing or waiting to land OnTheGround: number of landed aircraft RunwayFree: Boolean, true if runway available 7

8 Time Step Implementation /* ignore aircraft departures */ Float InTheAir: # aircraft landing or waiting to land Float OnTheGround: # landed aircraft Boolean RunwayFree: True if runway available Float NextArrivalTime: Time the next aircraft arrives Float NextLanding: Time next aircraft lands (if one is landing) For (Now = 1 to EndTime) { /* time step size is 1.0 */ if (Now >= NextArrivalTime) { /* if aircraft just arrived */ InTheAir := InTheAir + 1; NextArrivalTime := NextArrivalTime + RandExp(A); if (RunwayFree) { RunwayFree := False; NextLanding := Now + RandExp(L); } } if (Now >= NextLanding) { /* if aircraft just landed */ InTheAir := InTheAir - 1; OnTheGround := OnTheGround + 1; if (InTheAir > 0) NextLanding := Now + RandExp(L) else {RunWayFree := True; NextLanding := EndTime+1;} } } 8

9 Problems With Time Step Approach State changes may occur between time steps Use small time steps to minimize error Multiple state changes within the same time step may be processed in the wrong order Solvable by ordering state changes within time step (this imposes more work) Inefficient Many time steps no state changes occur, especially if small time steps 9

10 Discrete Event Simulation Discrete Event Simulation: computer model for a system where changes in the state of the system occur at discrete points in simulation time. Fundamental concepts: System state (state variables) State transitions (events) Each event has a timestamp indicating when it occurs. A DES computation can be viewed as a sequence of event computations, with each event computation is assigned a (simulation time) time stamp Each event computation can Modify state variables Schedule new events 10

11 Discrete Event Simulation Computation Example: air traffic at an airport Events: aircraft arrival, landing, departure arrival schedules 8:00 departure landed schedules 9:15 8:05 arrival 9:30 processed event current event unprocessed event simulation time Events that have been scheduled, but have not been simulated (processed) yet are stored in a pending event list Events are processed in time stamp order; why? 11

12 Events An event must be associated with any change in the state of the system Airport example: Event 1: Aircraft Arrival (InTheAir, RunwayFree) Event 2: Aircraft Landing (InTheAir, OnTheGround, RunwayFree) Event 3: Aircraft Departure (OnTheGround) 12

13 Event-Oriented World View state variables Integer: InTheAir; Integer: OnTheGround; Boolean: RunwayFree; Arrival Event { } Event handler procedures Landed Event { } Departure Event { } Simulation Application Simulation Engine Event processing loop Now = 8:45 Pending Event List (PEL) 9:00 10:10 9:16 While (simulation not finished) E = smallest time stamp event in PEL Remove E from PEL Now := time stamp of E call event handler procedure 13

14 Example: Air traffic at an Airport Model aircraft arrivals and departures, arrival queuing Single runway for incoming aircraft, ignore departure queuing L = mean time runway used for each landing aircraft (exponential distrib.) G = mean time on the ground before departing (exponential distribution) A = mean inter-arrival time of incoming aircraft (exponential distribution) States Now: current simulation time InTheAir: number of aircraft landing or waiting to land OnTheGround: number of landed aircraft RunwayFree: Boolean, true if runway available Events Arrival: denotes aircraft arriving in air space of airport Landed: denotes aircraft landing Departure: denotes aircraft leaving 14

15 Arrival Events Arrival Process: New aircraft arrives at airport. If the runway is free, it will begin to land. Otherwise, the aircraft must circle, and wait to land. A: mean interarrival time of incoming aircraft Now: current simulation time InTheAir: number of aircraft landing or waiting to land OnTheGround: number of landed aircraft RunwayFree: Boolean, true if runway available Arrival Event: InTheAir := InTheAir+1; Schedule Arrival Now + RandExp(A); If (RunwayFree) { RunwayFree:=FALSE; Schedule Landed Now + RandExp(L); } 15

16 Landed Event Landing Process: An aircraft has completed its landing. L = mean time runway is used for each landing aircraft G = mean time required on the ground before departing Now: current simulation time InTheAir: number of aircraft landing or waiting to land OnTheGround: number of landed aircraft RunwayFree: Boolean, true if runway available Landed Event: InTheAir:=InTheAir-1; OnTheGround:=OnTheGround+1; Schedule Departure Now + RandExp(G); If (InTheAir>0) Schedule Landed Now + RandExp(L); Else RunwayFree := TRUE; 16

17 Departure Event Departure Process: An aircraft now on the ground departs for a new destination. Now: current simulation time InTheAir: number of aircraft landing or waiting to land OnTheGround: number of landed aircraft RunwayFree: Boolean, true if runway available Departure Event: OnTheGround := OnTheGround - 1; 17

18 Execution Example State Variables L=3 G=4 InTheAir OnTheGround RunwayFree truefalse true Processing: Time Event 1 Arrival F1 3 Arrival F2 Time Simulation Time Arrival F1 Event 3 Arrival F2 4 Landed F1 Arrival F2 Time Event 4 Landed F1 Landed F1 Time Event 7 Landed F2 8 Depart F1 Landed F2 Time Event 8 Depart F1 11 Depart F2 Depart F1 Time Event 11 Depart F2 Depart F2 Time Event Now=0 Now=1 Now=3 Now=4 Now=7 Now=8 Now=11 18

PRAJWAL KHADGI Department of Industrial and Systems Engineering Northern Illinois University DeKalb, Illinois, USA

PRAJWAL KHADGI Department of Industrial and Systems Engineering Northern Illinois University DeKalb, Illinois, USA SIMULATION ANALYSIS OF PASSENGER CHECK IN AND BAGGAGE SCREENING AREA AT CHICAGO-ROCKFORD INTERNATIONAL AIRPORT PRAJWAL KHADGI Department of Industrial and Systems Engineering Northern Illinois University

More information

CHAPTER 5 SIMULATION MODEL TO DETERMINE FREQUENCY OF A SINGLE BUS ROUTE WITH SINGLE AND MULTIPLE HEADWAYS

CHAPTER 5 SIMULATION MODEL TO DETERMINE FREQUENCY OF A SINGLE BUS ROUTE WITH SINGLE AND MULTIPLE HEADWAYS 91 CHAPTER 5 SIMULATION MODEL TO DETERMINE FREQUENCY OF A SINGLE BUS ROUTE WITH SINGLE AND MULTIPLE HEADWAYS 5.1 INTRODUCTION In chapter 4, from the evaluation of routes and the sensitive analysis, it

More information

American Airlines Next Top Model

American Airlines Next Top Model Page 1 of 12 American Airlines Next Top Model Introduction Airlines employ several distinct strategies for the boarding and deboarding of airplanes in an attempt to minimize the time each plane spends

More information

Analysis of Air Transportation Systems. Airport Capacity

Analysis of Air Transportation Systems. Airport Capacity Analysis of Air Transportation Systems Airport Capacity Dr. Antonio A. Trani Associate Professor of Civil and Environmental Engineering Virginia Polytechnic Institute and State University Fall 2002 Virginia

More information

Cluster A.2: Linear Functions, Equations, and Inequalities

Cluster A.2: Linear Functions, Equations, and Inequalities A.2A: Representing Domain and Range Values: Taxi Trips Focusing TEKS A.2A Linear Functions, Equations, and Inequalities. The student applies mathematical process standards when using properties of linear

More information

SIMULATION MODELING AND ANALYSIS OF A NEW INTERNATIONAL TERMINAL

SIMULATION MODELING AND ANALYSIS OF A NEW INTERNATIONAL TERMINAL Proceedings of the 2000 Winter Simulation Conference J. A. Joines, R. R. Barton, K. Kang, and P. A. Fishwick, eds. SIMULATION MODELING AND ANALYSIS OF A NEW INTERNATIONAL TERMINAL Ali S. Kiran Tekin Cetinkaya

More information

Flight Arrival Simulation

Flight Arrival Simulation Flight Arrival Simulation Ali Reza Afshari Buein Zahra Technical University, Department of Industrial Engineering, Iran, afshari@bzte.ac.ir Mohammad Anisseh Imam Khomeini International University, Department

More information

Impact of Landing Fee Policy on Airlines Service Decisions, Financial Performance and Airport Congestion

Impact of Landing Fee Policy on Airlines Service Decisions, Financial Performance and Airport Congestion Wenbin Wei Impact of Landing Fee Policy on Airlines Service Decisions, Financial Performance and Airport Congestion Wenbin Wei Department of Aviation and Technology San Jose State University One Washington

More information

Aircraft Arrival Sequencing: Creating order from disorder

Aircraft Arrival Sequencing: Creating order from disorder Aircraft Arrival Sequencing: Creating order from disorder Sponsor Dr. John Shortle Assistant Professor SEOR Dept, GMU Mentor Dr. Lance Sherry Executive Director CATSR, GMU Group members Vivek Kumar David

More information

A 3D simulation case study of airport air traffic handling

A 3D simulation case study of airport air traffic handling A 3D simulation case study of airport air traffic handling Henk de Swaan Arons Erasmus University Rotterdam PO Box 1738, H4-21 3000 DR Rotterdam, The Netherlands email: hdsa@cs.few.eur.nl Abstract Modern

More information

Analysis of ATM Performance during Equipment Outages

Analysis of ATM Performance during Equipment Outages Analysis of ATM Performance during Equipment Outages Jasenka Rakas and Paul Schonfeld November 14, 2000 National Center of Excellence for Aviation Operations Research Table of Contents Introduction Objectives

More information

Applications of a Terminal Area Flight Path Library

Applications of a Terminal Area Flight Path Library Applications of a Terminal Area Flight Path Library James DeArmon (jdearmon@mitre.org, phone: 703-983-6051) Anuja Mahashabde, William Baden, Peter Kuzminski Center for Advanced Aviation System Development

More information

Evaluation of Quality of Service in airport Terminals

Evaluation of Quality of Service in airport Terminals Evaluation of Quality of Service in airport Terminals Sofia Kalakou AIRDEV Seminar Lisbon, Instituto Superior Tecnico 20th of October 2011 1 Outline Motivation Objectives Components of airport passenger

More information

Approximate Network Delays Model

Approximate Network Delays Model Approximate Network Delays Model Nikolas Pyrgiotis International Center for Air Transportation, MIT Research Supervisor: Prof Amedeo Odoni Jan 26, 2008 ICAT, MIT 1 Introduction Layout 1 Motivation and

More information

Validation of Runway Capacity Models

Validation of Runway Capacity Models Validation of Runway Capacity Models Amy Kim & Mark Hansen UC Berkeley ATM Seminar 2009 July 1, 2009 1 Presentation Outline Introduction Purpose Description of Models Data Methodology Conclusions & Future

More information

USE OF 3D GIS IN ANALYSIS OF AIRSPACE OBSTRUCTIONS

USE OF 3D GIS IN ANALYSIS OF AIRSPACE OBSTRUCTIONS USE OF 3D GIS IN ANALYSIS OF AIRSPACE OBSTRUCTIONS A project by by Samuka D. W. F19/1461/2010 Supervisor; Dr D. N. Siriba 1 Background and Problem Statement The Airports in Kenya are the main link between

More information

Airspace Management Decision Tool

Airspace Management Decision Tool Airspace Management Decision Tool Validating the Behavior and Structure of Software Design Kerin Thornton ENPM 643 System Validation and Verification Fall 2005 1 Table of Contents Introduction...3 Problem

More information

Simplification Using Map Method

Simplification Using Map Method Philadelphia University Faculty of Information Technology Department of Computer Science Computer Logic Design By Dareen Hamoudeh Dareen Hamoudeh 1 Simplification Using Map Method Dareen Hamoudeh 2 1 Why

More information

HOW TO IMPROVE HIGH-FREQUENCY BUS SERVICE RELIABILITY THROUGH SCHEDULING

HOW TO IMPROVE HIGH-FREQUENCY BUS SERVICE RELIABILITY THROUGH SCHEDULING HOW TO IMPROVE HIGH-FREQUENCY BUS SERVICE RELIABILITY THROUGH SCHEDULING Ms. Grace Fattouche Abstract This paper outlines a scheduling process for improving high-frequency bus service reliability based

More information

Analysis of Demand Uncertainty Effects in Ground Delay Programs

Analysis of Demand Uncertainty Effects in Ground Delay Programs Analysis of Demand Uncertainty Effects in Ground Delay Programs Michael Ball, Thomas Vossen Robert H. Smith School of Business and Institute for Systems Research University of Maryland College Park, MD

More information

SIMAIR: A STOCHASTIC MODEL OF AIRLINE OPERATIONS

SIMAIR: A STOCHASTIC MODEL OF AIRLINE OPERATIONS SIMAIR: A STOCHASTIC MODEL OF AIRLINE OPERATIONS Jay M. Rosenberger Andrew J. Schaefer David Goldsman Ellis L. Johnson Anton J. Kleywegt George L. Nemhauser School of Industrial and Systems Engineering

More information

OPTIMAL PUSHBACK TIME WITH EXISTING UNCERTAINTIES AT BUSY AIRPORT

OPTIMAL PUSHBACK TIME WITH EXISTING UNCERTAINTIES AT BUSY AIRPORT OPTIMAL PUSHBACK TIME WITH EXISTING Ryota Mori* *Electronic Navigation Research Institute Keywords: TSAT, reinforcement learning, uncertainty Abstract Pushback time management of departure aircraft is

More information

Passenger Rebooking - Decision Modeling Challenge

Passenger Rebooking - Decision Modeling Challenge Passenger Rebooking - Decision Modeling Challenge Solution by Edson Tirelli Table of Contents Table of Contents... 1 Introduction... 1 Problem statement... 2 Solution... 2 Input Nodes... 2 Prioritized

More information

Part 1. Part 2. airports100.csv contains a list of 100 US airports.

Part 1. Part 2. airports100.csv contains a list of 100 US airports. .. Fall 2007 CSC/CPE 365: Database Systems Alexander Dekhtyar.. Lab 8: PL/SQL Due date: Thursday, November 29, midnight Assignment Preparation The main part of this assignment is to be done in teams. The

More information

Total failure of the. on its maiden flight. Ian Sommerville 2001 CS 365 Ariane 5 launcher failure Slide 1

Total failure of the. on its maiden flight. Ian Sommerville 2001 CS 365 Ariane 5 launcher failure Slide 1 The Ariane 5 Launcher Failure June 4th 1996 Total failure of the Ariane 5 launcher on its maiden flight Ian Sommerville 2001 CS 365 Ariane 5 launcher failure Slide 1 Ariane 5 A European rocket designed

More information

ANALYSIS OF THE CONTRIUBTION OF FLIGHTPLAN ROUTE SELECTION ON ENROUTE DELAYS USING RAMS

ANALYSIS OF THE CONTRIUBTION OF FLIGHTPLAN ROUTE SELECTION ON ENROUTE DELAYS USING RAMS ANALYSIS OF THE CONTRIUBTION OF FLIGHTPLAN ROUTE SELECTION ON ENROUTE DELAYS USING RAMS Akshay Belle, Lance Sherry, Ph.D, Center for Air Transportation Systems Research, Fairfax, VA Abstract The absence

More information

Implementation challenges for Flight Procedures

Implementation challenges for Flight Procedures Implementation challenges for Flight Procedures A Data-house perspective for comprehensive Procedure Design solution: A need today Sorin Onitiu Manager Business Affairs, Government & Military Aviation,

More information

DESIGNATED PILOT EXAMINER. Skill Test Standards. for

DESIGNATED PILOT EXAMINER. Skill Test Standards. for DDC No. 1-2009-PEL DESIGNATED PILOT EXAMINER Skill Test Standards for HELICOPTER JANUARY 2009 Paramaribo, January 20 th, 2009 No. 1-2009-PEL Decision Director CASAS Subject: DESIGNATED PILOT EXAMINER-Skill

More information

PREFACE. Service frequency; Hours of service; Service coverage; Passenger loading; Reliability, and Transit vs. auto travel time.

PREFACE. Service frequency; Hours of service; Service coverage; Passenger loading; Reliability, and Transit vs. auto travel time. PREFACE The Florida Department of Transportation (FDOT) has embarked upon a statewide evaluation of transit system performance. The outcome of this evaluation is a benchmark of transit performance that

More information

Challenges in Complex Procedure Design Validation

Challenges in Complex Procedure Design Validation Challenges in Complex Procedure Design Validation Frank Musmann, Aerodata AG ICAO Workshop Seminar Aug. 2016 Aerodata AG 1 Procedure Validation Any new or modified Instrument Flight Procedure is required

More information

Air Traffic Flow Management (ATFM) in the SAM Region METHODOLOGY ADOPTED BY BRAZIL TO CALCULATE THE CONTROL CAPACITY OF ACC OF BRAZILIAN FIR

Air Traffic Flow Management (ATFM) in the SAM Region METHODOLOGY ADOPTED BY BRAZIL TO CALCULATE THE CONTROL CAPACITY OF ACC OF BRAZILIAN FIR International Civil Aviation Organization SAM/IG/6-IP/03 South American Regional Office 21/09/10 Sixth Workshop/Meeting of the SAM Implementation Group (SAM/IG/6) - Regional Project RLA/06/901 Lima, Peru,

More information

Aircraft Noise. Why Aircraft Noise Calculations? Aircraft Noise. SoundPLAN s Aircraft Noise Module

Aircraft Noise. Why Aircraft Noise Calculations? Aircraft Noise. SoundPLAN s Aircraft Noise Module Aircraft Noise Why Aircraft Noise Calculations? Aircraft Noise Aircraft noise can be measured and simulated with specialized software like SoundPLAN. Noise monitoring and measurement can only measure the

More information

Airport Traffic Simulation Using Petri Nets

Airport Traffic Simulation Using Petri Nets Airport Traffic Simulation Using Petri Nets Jacek Skorupski Warsaw University of Technology, Faculty of Transport, Warsaw, Poland jsk@wt.pw.edu.pl Abstract. Airport traffic consists of aircraft performing

More information

Identifying and Utilizing Precursors

Identifying and Utilizing Precursors Flight Safety Foundation European Aviation Safety Seminar Lisbon March 15-17 / 2010 Presented by Michel TREMAUD ( retired, Airbus / Aerotour / Air Martinique, Bureau Veritas ) Identifying and Utilizing

More information

Best schedule to utilize the Big Long River

Best schedule to utilize the Big Long River page 1of20 1 Introduction Best schedule to utilize the Big Long River People enjoy going to the Big Long River for its scenic views and exciting white water rapids, and the only way to achieve this should

More information

Quantitative Analysis of Automobile Parking at Airports

Quantitative Analysis of Automobile Parking at Airports Quantitative Analysis of Automobile Parking at Airports Jiajun Li, M.Sc. Candidate Dr. Richard Tay, Professor, AMA/CTEP chair Dr. Alexandre de Barros, Assistant Professor University of Calgary Abstract

More information

A RECURSION EVENT-DRIVEN MODEL TO SOLVE THE SINGLE AIRPORT GROUND-HOLDING PROBLEM

A RECURSION EVENT-DRIVEN MODEL TO SOLVE THE SINGLE AIRPORT GROUND-HOLDING PROBLEM RECURSION EVENT-DRIVEN MODEL TO SOLVE THE SINGLE IRPORT GROUND-HOLDING PROBLEM Lili WNG Doctor ir Traffic Management College Civil viation University of China 00 Xunhai Road, Dongli District, Tianjin P.R.

More information

FLIGHT TRANSPORTATION LABORATORY REPORT R87-5 AN AIR TRAFFIC CONTROL SIMULATOR FOR THE EVALUATION OF FLOW MANAGEMENT STRATEGIES JAMES FRANKLIN BUTLER

FLIGHT TRANSPORTATION LABORATORY REPORT R87-5 AN AIR TRAFFIC CONTROL SIMULATOR FOR THE EVALUATION OF FLOW MANAGEMENT STRATEGIES JAMES FRANKLIN BUTLER FLIGHT TRANSPORTATION LABORATORY REPORT R87-5 AN AIR TRAFFIC CONTROL SIMULATOR FOR THE EVALUATION OF FLOW MANAGEMENT STRATEGIES by JAMES FRANKLIN BUTLER MASTER OF SCIENCE IN AERONAUTICS AND ASTRONAUTICS

More information

Todsanai Chumwatana, and Ichayaporn Chuaychoo Rangsit University, Thailand, {todsanai.c;

Todsanai Chumwatana, and Ichayaporn Chuaychoo Rangsit University, Thailand, {todsanai.c; Using Hybrid Technique: the Integration of Data Analytics and Queuing Theory for Average Service Time Estimation at Immigration Service, Suvarnabhumi Airport Todsanai Chumwatana, and Ichayaporn Chuaychoo

More information

Transportation Timetabling

Transportation Timetabling Outline DM87 SCHEDULING, TIMETABLING AND ROUTING Lecture 16 Transportation Timetabling 1. Transportation Timetabling Tanker Scheduling Air Transport Train Timetabling Marco Chiarandini DM87 Scheduling,

More information

Logic Control Summer Semester Assignment: Modeling and Logic Controller Design 1

Logic Control Summer Semester Assignment: Modeling and Logic Controller Design 1 TECHNISCHE UNIVERSITÄT DORTMUND Faculty of Bio- and Chemical Engineering Process Dynamics and Operations Group Prof. Dr.-Ing. Sebastian Engell D Y N Logic Control Summer Semester 2018 Assignment: Modeling

More information

Air Transportation Systems Engineering Delay Analysis Workbook

Air Transportation Systems Engineering Delay Analysis Workbook Air Transportation Systems Engineering Delay Analysis Workbook 1 Air Transportation Delay Analysis Workbook Actions: 1. Read Chapter 23 Flows and Queues at Airports 2. Answer the following questions. Introduction

More information

Unit 6: Probability Plotting

Unit 6: Probability Plotting Unit 6: Probability Plotting Ramón V. León Notes largely based on Statistical Methods for Reliability Data by W.Q. Meeker and L. A. Escobar, Wiley, 1998 and on their class notes. 9/12/2004 Stat 567: Unit

More information

UC Berkeley Working Papers

UC Berkeley Working Papers UC Berkeley Working Papers Title The Value Of Runway Time Slots For Airlines Permalink https://escholarship.org/uc/item/69t9v6qb Authors Cao, Jia-ming Kanafani, Adib Publication Date 1997-05-01 escholarship.org

More information

Proceedings of the 2006 Winter Simulation Conference L. F. Perrone, F. P. Wieland, J. Liu, B. G. Lawson, D. M. Nicol, and R. M. Fujimoto, eds.

Proceedings of the 2006 Winter Simulation Conference L. F. Perrone, F. P. Wieland, J. Liu, B. G. Lawson, D. M. Nicol, and R. M. Fujimoto, eds. Proceedings of the 26 Winter Simulation Conference L. F. Perrone, F. P. Wieland, J. Liu, B. G. Lawson, D. M. Nicol, and R. M. Fujimoto, eds. ESTIMATING OPERATIONAL BENEFITS OF AIRCRAFT NAVIGATION AND AIR

More information

LESSON PLAN Introduction (3 minutes)

LESSON PLAN Introduction (3 minutes) LESSON PLAN Introduction (3 minutes) ATTENTION: MOTIVATION: OVERVIEW: Relate aircraft accident in which a multi-engine airplane ran off the end of the runway. This could have been avoided by correctly

More information

Simulation of disturbances and modelling of expected train passenger delays

Simulation of disturbances and modelling of expected train passenger delays Computers in Railways X 521 Simulation of disturbances and modelling of expected train passenger delays A. Landex & O. A. Nielsen Centre for Traffic and Transport, Technical University of Denmark, Denmark

More information

arxiv:cs/ v1 [cs.oh] 2 Feb 2007

arxiv:cs/ v1 [cs.oh] 2 Feb 2007 A Dynamic I/O Model for TRACON Traffic Management arxiv:cs/7219v1 [cs.oh] 2 Feb 27 Maxime Gariel, John-Paul Clarke and Eric Feron Georgia Institute of Technology Atlanta, GA, 3332-1, USA October 17, 218

More information

SATELLITE CAPACITY DIMENSIONING FOR IN-FLIGHT INTERNET SERVICES IN THE NORTH ATLANTIC REGION

SATELLITE CAPACITY DIMENSIONING FOR IN-FLIGHT INTERNET SERVICES IN THE NORTH ATLANTIC REGION SATELLITE CAPACITY DIMENSIONING FOR IN-FLIGHT INTERNET SERVICES IN THE NORTH ATLANTIC REGION Lorenzo Battaglia, EADS Astrium Navigation & Constellations, Munich, Germany Lorenzo.Battaglia@Astrium.EADS.net

More information

QUEUEING MODELS FOR 4D AIRCRAFT OPERATIONS. Tasos Nikoleris and Mark Hansen EIWAC 2010

QUEUEING MODELS FOR 4D AIRCRAFT OPERATIONS. Tasos Nikoleris and Mark Hansen EIWAC 2010 QUEUEING MODELS FOR 4D AIRCRAFT OPERATIONS Tasos Nikoleris and Mark Hansen EIWAC 2010 Outline Introduction Model Formulation Metering Case Ongoing Research Time-based Operations Time-based Operations Time-based

More information

Reducing Garbage-In for Discrete Choice Model Estimation

Reducing Garbage-In for Discrete Choice Model Estimation Reducing Garbage-In for Discrete Choice Model Estimation David Kurth* Cambridge Systematics, Inc. 999 18th Street, Suite 3000 Denver, CO 80202 P: 303-357-4661 F: 303-446-9111 dkurth@camsys.com Marty Milkovits

More information

Assignment 9: APM and Queueing Analysis

Assignment 9: APM and Queueing Analysis CEE 4674: Airport Planning and Design Spring 2014 Assignment 9: APM and Queueing Analysis Solution Instructor: Trani Problem 1 a) An international airport has two parallel runways separated 800 meters

More information

Project: Implications of Congestion for the Configuration of Airport Networks and Airline Networks (AirNets)

Project: Implications of Congestion for the Configuration of Airport Networks and Airline Networks (AirNets) Research Thrust: Airport and Airline Systems Project: Implications of Congestion for the Configuration of Airport Networks and Airline Networks (AirNets) Duration: (November 2007 December 2010) Description:

More information

ASPASIA Project. ASPASIA Overall Summary. ASPASIA Project

ASPASIA Project. ASPASIA Overall Summary. ASPASIA Project ASPASIA Project ASPASIA Overall Summary ASPASIA Project ASPASIA Project ASPASIA (Aeronautical Surveillance and Planning by Advanced ) is an international project co-funded by the European Commission within

More information

SIMULATION TECHNOLOGY FOR FREE FLIGHT SYSTEM PERFORMANCE AND SURVIVABILITY ANALYSIS

SIMULATION TECHNOLOGY FOR FREE FLIGHT SYSTEM PERFORMANCE AND SURVIVABILITY ANALYSIS SIMULATION TECHNOLOGY FOR FREE FLIGHT SYSTEM PERFORMANCE AND SURVIVABILITY ANALYSIS John C Knight, Stavan M Parikh, University of Virginia, Charlottesville, VA Abstract Before new automated technologies

More information

An Analysis of Dynamic Actions on the Big Long River

An Analysis of Dynamic Actions on the Big Long River Control # 17126 Page 1 of 19 An Analysis of Dynamic Actions on the Big Long River MCM Team Control # 17126 February 13, 2012 Control # 17126 Page 2 of 19 Contents 1. Introduction... 3 1.1 Problem Background...

More information

Decision aid methodologies in transportation

Decision aid methodologies in transportation Decision aid methodologies in transportation Lecture 5: Revenue Management Prem Kumar prem.viswanathan@epfl.ch Transport and Mobility Laboratory * Presentation materials in this course uses some slides

More information

Performance and Efficiency Evaluation of Airports. The Balance Between DEA and MCDA Tools. J.Braz, E.Baltazar, J.Jardim, J.Silva, M.

Performance and Efficiency Evaluation of Airports. The Balance Between DEA and MCDA Tools. J.Braz, E.Baltazar, J.Jardim, J.Silva, M. Performance and Efficiency Evaluation of Airports. The Balance Between DEA and MCDA Tools. J.Braz, E.Baltazar, J.Jardim, J.Silva, M.Vaz Airdev 2012 Conference Lisbon, 19th-20th April 2012 1 Introduction

More information

Appendix B Ultimate Airport Capacity and Delay Simulation Modeling Analysis

Appendix B Ultimate Airport Capacity and Delay Simulation Modeling Analysis Appendix B ULTIMATE AIRPORT CAPACITY & DELAY SIMULATION MODELING ANALYSIS B TABLE OF CONTENTS EXHIBITS TABLES B.1 Introduction... 1 B.2 Simulation Modeling Assumption and Methodology... 4 B.2.1 Runway

More information

Discrete-Event Simulation of Air Traffic Flow

Discrete-Event Simulation of Air Traffic Flow See discussions, stats, and author profiles for this publication at: https://www.researchgate.net/publication/269217652 Discrete-Event Simulation of Air Traffic Flow Conference Paper August 2010 DOI: 10.2514/6.2010-7853

More information

ESD Working Paper Series

ESD Working Paper Series ESD Working Paper Series Airport Congestion Mitigation through Dynamic Control of Runway Configurations and of Arrival and Departure Service Rates under Stochastic Operating Conditions Alexandre Jacquillat

More information

Airline Scheduling Optimization ( Chapter 7 I)

Airline Scheduling Optimization ( Chapter 7 I) Airline Scheduling Optimization ( Chapter 7 I) Vivek Kumar (Research Associate, CATSR/GMU) February 28 th, 2011 CENTER FOR AIR TRANSPORTATION SYSTEMS RESEARCH 2 Agenda Airline Scheduling Factors affecting

More information

Analyzing Risk at the FAA Flight Systems Laboratory

Analyzing Risk at the FAA Flight Systems Laboratory Analyzing Risk at the FAA Flight Systems Laboratory Presented to: Workshop By: Dr. Richard Greenhaw, FAA AFS-440 Date: 29 November, 2005 Flight Systems Laboratory Who we are How we analyze risk Airbus

More information

Evaluation of Alternative Aircraft Types Dr. Peter Belobaba

Evaluation of Alternative Aircraft Types Dr. Peter Belobaba Evaluation of Alternative Aircraft Types Dr. Peter Belobaba Istanbul Technical University Air Transportation Management M.Sc. Program Network, Fleet and Schedule Strategic Planning Module 5: 10 March 2014

More information

Sensitivity analysis of counter utilization in an airport terminal

Sensitivity analysis of counter utilization in an airport terminal Sensitivity analysis of counter utilization in an airport terminal by Simone Cronjé 25026276 Submitted in partial fulfillment of the requirements for the degree of BACHOLEORS OF INDUSTRIAL ENGINEERING

More information

Depeaking Optimization of Air Traffic Systems

Depeaking Optimization of Air Traffic Systems Depeaking Optimization of Air Traffic Systems B.Stolz, T. Hanschke Technische Universität Clausthal, Institut für Mathematik, Erzstr. 1, 38678 Clausthal-Zellerfeld M. Frank, M. Mederer Deutsche Lufthansa

More information

Mathcad Prime 3.0. Curriculum Guide

Mathcad Prime 3.0. Curriculum Guide Mathcad Prime 3.0 Curriculum Guide Live Classroom Curriculum Guide Mathcad Prime 3.0 Essentials Advanced Functionality using Mathcad Prime 3.0 Mathcad Prime 3.0 Essentials Overview Course Code Course Length

More information

INTERNATIONAL CIVIL AVIATION ORGANIZATION AFI REGION AIM IMPLEMENTATION TASK FORCE. (Dakar, Senegal, 20 22nd July 2011)

INTERNATIONAL CIVIL AVIATION ORGANIZATION AFI REGION AIM IMPLEMENTATION TASK FORCE. (Dakar, Senegal, 20 22nd July 2011) IP-5 INTERNATIONAL CIVIL AVIATION ORGANIZATION AFI REGION AIM IMPLEMENTATION TASK FORCE (Dakar, Senegal, 20 22nd July 2011) Agenda item: Presented by: Implementation of a African Regional Centralised Aeronautical

More information

Optimizing process of check-in and security check at airport terminals

Optimizing process of check-in and security check at airport terminals Optimizing process of check-in and security check at airport terminals Jaromír Široký 1,*, and Pavlína Hlavsová 1 1 University of Pardubice, Faculty of Transport Engineering, Department of Transport Technology

More information

Cross-sectional time-series analysis of airspace capacity in Europe

Cross-sectional time-series analysis of airspace capacity in Europe Cross-sectional time-series analysis of airspace capacity in Europe Dr. A. Majumdar Dr. W.Y. Ochieng Gerard McAuley (EUROCONTROL) Jean Michel Lenzi (EUROCONTROL) Catalin Lepadatu (EUROCONTROL) 1 Introduction

More information

Economic Impact for Airlines from Air Traffic Control Tower Modernization at LaGuardia Airport

Economic Impact for Airlines from Air Traffic Control Tower Modernization at LaGuardia Airport Economic Impact for Airlines from Air Traffic Control Tower Modernization at LaGuardia Airport Presented at SCEA Marc Rose, MCR LLC 202-548-5584 mrose@mcricom 24 June 2007 MCR, LLC MCR Proprietary - Distribution

More information

IPSOS / REUTERS POLL DATA Prepared by Ipsos Public Affairs

IPSOS / REUTERS POLL DATA Prepared by Ipsos Public Affairs Ipsos Poll Conducted for Reuters Airlines Poll 6.30.2017 These are findings from an Ipsos poll conducted June 22-29, 2017 on behalf Thomson Reuters. For the survey, a sample of roughly 2,316 adults age

More information

Modeling Visitor Movement in Theme Parks

Modeling Visitor Movement in Theme Parks Modeling Visitor Movement in Theme Parks A scenario-specific human mobility model Gürkan Solmaz, Mustafa İlhan Akbaş and Damla Turgut Department of Electrical Engineering and Computer Science University

More information

Including Linear Holding in Air Traffic Flow Management for Flexible Delay Handling

Including Linear Holding in Air Traffic Flow Management for Flexible Delay Handling Including Linear Holding in Air Traffic Flow Management for Flexible Delay Handling Yan Xu and Xavier Prats Technical University of Catalonia (UPC) Outline Motivation & Background Trajectory optimization

More information

FACILITATION (FAL) DIVISION TWELFTH SESSION. Cairo, Egypt, 22 March to 2 April 2004

FACILITATION (FAL) DIVISION TWELFTH SESSION. Cairo, Egypt, 22 March to 2 April 2004 19/2/04 English only FACILITATION (FAL) DIVISION TWELFTH SESSION Cairo, Egypt, 22 March to 2 April 2004 Agenda Item 2: Facilitation and security of travel documents and border control formalities 2.5:

More information

Subject: Requirements for the Qualification of Aircraft Full Flight Simulators and Synthetic Flight Training Devices.

Subject: Requirements for the Qualification of Aircraft Full Flight Simulators and Synthetic Flight Training Devices. GOVERNMENT OF INDIA OFFICE OF THE DIRECTOR GENERAL OF CIVIL AVIATION TECHNICAL CENTRE, OPP SAFDURJUNG AIRPORT, NEW DELHI CIVIL AVIATION REQUIREMENTS SECTION 7 FLIGHT CREW STANDARDS TRAINING AND LICENSING

More information

ATM Seminar 2015 OPTIMIZING INTEGRATED ARRIVAL, DEPARTURE AND SURFACE OPERATIONS UNDER UNCERTAINTY. Wednesday, June 24 nd 2015

ATM Seminar 2015 OPTIMIZING INTEGRATED ARRIVAL, DEPARTURE AND SURFACE OPERATIONS UNDER UNCERTAINTY. Wednesday, June 24 nd 2015 OPTIMIZING INTEGRATED ARRIVAL, DEPARTURE AND SURFACE OPERATIONS UNDER UNCERTAINTY Christabelle Bosson PhD Candidate Purdue AAE Min Xue University Affiliated Research Center Shannon Zelinski NASA Ames Research

More information

Combining Control by CTA and Dynamic En Route Speed Adjustment to Improve Ground Delay Program Performance

Combining Control by CTA and Dynamic En Route Speed Adjustment to Improve Ground Delay Program Performance Combining Control by CTA and Dynamic En Route Speed Adjustment to Improve Ground Delay Program Performance James C. Jones, University of Maryland David J. Lovell, University of Maryland Michael O. Ball,

More information

Abstract. Introduction

Abstract. Introduction COMPARISON OF EFFICIENCY OF SLOT ALLOCATION BY CONGESTION PRICING AND RATION BY SCHEDULE Saba Neyshaboury,Vivek Kumar, Lance Sherry, Karla Hoffman Center for Air Transportation Systems Research (CATSR)

More information

This Advisory Circular relates specifically to Civil Aviation Rule Parts 121, 125, and 135.

This Advisory Circular relates specifically to Civil Aviation Rule Parts 121, 125, and 135. Advisory Circular AC 119-4 Revision 1 Passenger, Crew and Baggage Weights 28 October 2005 General Civil Aviation Authority Advisory Circulars contain information about standards, practices, and procedures

More information

I R UNDERGRADUATE REPORT. National Aviation System Congestion Management. by Sahand Karimi Advisor: UG

I R UNDERGRADUATE REPORT. National Aviation System Congestion Management. by Sahand Karimi Advisor: UG UNDERGRADUATE REPORT National Aviation System Congestion Management by Sahand Karimi Advisor: UG 2006-8 I R INSTITUTE FOR SYSTEMS RESEARCH ISR develops, applies and teaches advanced methodologies of design

More information

The organisation of the Airbus. A330/340 flight control system. Ian Sommerville 2001 Airbus flight control system Slide 1

The organisation of the Airbus. A330/340 flight control system. Ian Sommerville 2001 Airbus flight control system Slide 1 Airbus flight control system The organisation of the Airbus A330/340 flight control system Ian Sommerville 2001 Airbus flight control system Slide 1 Fly by wire control Conventional aircraft control systems

More information

A Statistical Method for Eliminating False Counts Due to Debris, Using Automated Visual Inspection for Probe Marks

A Statistical Method for Eliminating False Counts Due to Debris, Using Automated Visual Inspection for Probe Marks A Statistical Method for Eliminating False Counts Due to Debris, Using Automated Visual Inspection for Probe Marks SWTW 2003 Max Guest & Mike Clay August Technology, Plano, TX Probe Debris & Challenges

More information

Applicability / Compatibility of STPA with FAA Regulations & Guidance. First STAMP/STPA Workshop. Federal Aviation Administration

Applicability / Compatibility of STPA with FAA Regulations & Guidance. First STAMP/STPA Workshop. Federal Aviation Administration Applicability / Compatibility of STPA with FAA Regulations & Guidance First STAMP/STPA Workshop Presented by: Peter Skaves, FAA Chief Scientific and Technical Advisor for Advanced Avionics Briefing Objectives

More information

Airline Boarding Schemes for Airbus A-380. Graduate Student Mathematical Modeling Camp RPI June 8, 2007

Airline Boarding Schemes for Airbus A-380. Graduate Student Mathematical Modeling Camp RPI June 8, 2007 Airline Boarding Schemes for Airbus A-380 Anthony, Baik, Law, Martinez, Moore, Rife, Wu, Zhu, Zink Graduate Student Mathematical Modeling Camp RPI June 8, 2007 An airline s main investment is its aircraft.

More information

TRANSPONDER WITH IVAC

TRANSPONDER WITH IVAC TRANSPONDER WITH IVAC 1. Introduction In his area of control, an active controller is responsible to assign a transponder code to all aircraft. It is the responsibility of the pilot in command to tune

More information

Contingencies and Cancellations in Ground Delay Programs. Thomas R. Willemain, Ph.D. Distinguished Visiting Professor, Federal Aviation Administration

Contingencies and Cancellations in Ground Delay Programs. Thomas R. Willemain, Ph.D. Distinguished Visiting Professor, Federal Aviation Administration Contingencies and Cancellations in Ground Delay Programs Thomas R. Willemain, Ph.D. Distinguished Visiting Professor, Federal Aviation Administration and Professor, Department of Decision Sciences and

More information

Advancing FTD technologies and the opportunity to the pilot training journey. L3 Proprietary

Advancing FTD technologies and the opportunity to the pilot training journey. L3 Proprietary Advancing FTD technologies and the opportunity to the pilot training journey L3 Proprietary Aviation Training Innovation Over the past decade the airline training industry has pursued technology to improve

More information

Predicting a Dramatic Contraction in the 10-Year Passenger Demand

Predicting a Dramatic Contraction in the 10-Year Passenger Demand Predicting a Dramatic Contraction in the 10-Year Passenger Demand Daniel Y. Suh Megan S. Ryerson University of Pennsylvania 6/29/2018 8 th International Conference on Research in Air Transportation Outline

More information

Route Planning and Profit Evaluation Dr. Peter Belobaba

Route Planning and Profit Evaluation Dr. Peter Belobaba Route Planning and Profit Evaluation Dr. Peter Belobaba Istanbul Technical University Air Transportation Management M.Sc. Program Network, Fleet and Schedule Strategic Planning Module 9 : 11 March 2014

More information

Quantile Regression Based Estimation of Statistical Contingency Fuel. Lei Kang, Mark Hansen June 29, 2017

Quantile Regression Based Estimation of Statistical Contingency Fuel. Lei Kang, Mark Hansen June 29, 2017 Quantile Regression Based Estimation of Statistical Contingency Fuel Lei Kang, Mark Hansen June 29, 2017 Agenda Background Industry practice Data Methodology Benefit assessment Conclusion 2 Agenda Background

More information

**Based on Queries from the participating teams, Rules may be revised/ edited / clarified as deemed appropriate by the organizing committee.

**Based on Queries from the participating teams, Rules may be revised/ edited / clarified as deemed appropriate by the organizing committee. 2015/16 DBF Competition College of Aeronautical Engineering PAF Academy Risalpur National University of Science and Technology Rules Posting: 31 December 2015 **Based on Queries from the participating

More information

PBN and airspace concept

PBN and airspace concept PBN and airspace concept 07 10 April 2015 Global Concepts Global ATM Operational Concept Provides the ICAO vision of seamless, global ATM system Endorsed by AN Conf 11 Aircraft operate as close as possible

More information

Mathematical modeling in the airline industry: optimizing aircraft assignment for on-demand air transport

Mathematical modeling in the airline industry: optimizing aircraft assignment for on-demand air transport Trabalho apresentado no CNMAC, Gramado - RS, 2016. Proceeding Series of the Brazilian Society of Computational and Applied Mathematics Mathematical modeling in the airline industry: optimizing aircraft

More information

Briefing on AirNets Project

Briefing on AirNets Project September 5, 2008 Briefing on AirNets Project (Project initiated in November 2007) Amedeo Odoni MIT AirNets Participants! Faculty: António Pais Antunes (FCTUC) Cynthia Barnhart (CEE, MIT) Álvaro Costa

More information

Proceedings of the 2014 Winter Simulation Conference A. Tolk, S. Y. Diallo, I. O. Ryzhov, L. Yilmaz, S. Buckley, and J. A. Miller, eds.

Proceedings of the 2014 Winter Simulation Conference A. Tolk, S. Y. Diallo, I. O. Ryzhov, L. Yilmaz, S. Buckley, and J. A. Miller, eds. Proceedings of the 2014 Winter Simulation Conference A. Tolk, S. Y. Diallo, I. O. Ryzhov, L. Yilmaz, S. Buckley, and J. A. Miller, eds. OPTIMIZATION OF AIRCRAFT BOARDING PROCESSES CONSIDERING PASSENGERS

More information

Hydrological study for the operation of Aposelemis reservoir Extended abstract

Hydrological study for the operation of Aposelemis reservoir Extended abstract Hydrological study for the operation of Aposelemis Extended abstract Scope and contents of the study The scope of the study was the analytic and systematic approach of the Aposelemis operation, based on

More information

MODAIR. Measure and development of intermodality at AIRport

MODAIR. Measure and development of intermodality at AIRport MODAIR Measure and development of intermodality at AIRport M3SYSTEM ANA ENAC GISMEDIA Eurocontrol CARE INO II programme Airports are, by nature, interchange nodes, with connections at least to the road

More information

CAPAN Methodology Sector Capacity Assessment

CAPAN Methodology Sector Capacity Assessment CAPAN Methodology Sector Capacity Assessment Air Traffic Services System Capacity Seminar/Workshop Nairobi, Kenya, 8 10 June 2016 Raffaele Russo EUROCONTROL Operations Planning Background Network Operations

More information

Schedule Compression by Fair Allocation Methods

Schedule Compression by Fair Allocation Methods Schedule Compression by Fair Allocation Methods by Michael Ball Andrew Churchill David Lovell University of Maryland and NEXTOR, the National Center of Excellence for Aviation Operations Research November

More information