data manipulation (2)

Size: px
Start display at page:

Download "data manipulation (2)"

Transcription

1 Information Science in Action Week 06 data manipulation (2) College of Information Science and Engineering Ritsumeikan University

2 last week: data manipulation (1) the evolution of protocols push vs. pull models entry sensing scanning data collection sensor processor supervisor data scraping historical examples transmission server data centre modern applications storage scraped data encodings for machine presentation organisation request response Internet for human interpretation retrieval client practical obtaining data from Wikipedia 2

3 this week: data manipulation (2) a real data server data collection HTTP request format entry sensing scanning data collection sensor processor supervisor response format transmission server data centre scraping results storage organisation request response Internet real data encoding metar practical decoding metars retrieval analysis client 3

4 review: universal resource indicators common way to write addresses in a human-readable form scheme:[//[user[:password]@]host[:port]] (where [x] indicates an optional component x) scheme indicates the protocol (and implies a default port) if one protocol encapsulates another, multiple schemes are separated by + signs e.g., svn+ssh indicates the svn protocol (port 3690) will be used encapsulated within ssh (port 22) user, password specify authority (login) credentials for the connection host specifies an IP address, symbolically or numerically port specifies which process (server) is to be contacted default value depends on the scheme (defaults listed in the file /etc/services) the above parts of the URI are interpreted at the sending side selects which protocol and port to use, and which remote machine to contact may also be used to select which application to run; e.g., in a MacOS X terminal, try: open opens your default web browser open ftp://speedtest.tele2.net opens a Finder window open vnc://localhost tries (in vain) to open screen sharing 4

5 uniform resource identifiers a request for a resource or action optionally follows the address scheme:[//[user[:password]@]host[:port]][/path][?query][#fragment] path names some hierarchical resource or action desired of the server must begin with a slash / (but cannot begin with two slashes // ) looks like a POSIX (BSD, MacOS, Linux) path (file) name additional / characters used to specify a resource hierarchically, e.g: query permits adding key-value parameters to the request separated by & path?key1=value1&key2=value2&... e.g: fragment permits specifying a section or index within the resource web browsers use the fragment to scroll the page to the desired location note: in that case the fragment is interpreted by the client, not the server 5

6 review: regular expressions in Python import re m = re.search("regular expression ", string) if m: # regular expression found within string where regular expression can contain literal characters, which match themselves re.search("abc", "hello") None # aka False re.search("ell", "hello") a match object # aka True character sets, which match any one of the members re.search("e[xyz]l", "hello") None re.search("e[klm]l", "hello") a match object parentheses, for grouping, which also save the matched substring re.search("e([xyz])l", "hello") None re.search("e([klm])l", "hello") a match object re.search("e([klm])l", "hello").group(1) "l" re.search("(e[klm]l)", "hello").group(1) "ell" e.g., to extract an ISO-formatted date (YYYY-MM-DD) from anywhere within a string m = re.match("([0-9][0-9][0-9][0-9]-[0-9][0-9]-[0-9][0-9])", string) if m: print m.group(1) else: print "no date found" 6

7 more regular expression features in Python repetition, zero or more times: x * yes* matches ye, yes, yessssssssssssssssssss, etc. repetition, one or more time(s): x + no+ matches no, noooooooooo, etc. repetition, zero or one time(s): x? too? matches to and too only 7

8 more regular expression features in Python grouping and repetition work together import re for string in [ 0, 11, -100, +123, -+-9aa, +, -, signed -42 number ]: m = re.search("([-+])?([0-9]+)", string) print string, "=>", if m: # regular expression found within string print "sign", m.group(1), "magnitude", m.group(2) else: print m 0 => sign None magnitude 0 11 => sign None magnitude => sign - magnitude => sign + magnitude aa => sign - magnitude 9 + => None - => None signed -42 number => sign - magnitude 42 8

9 more regular expression features in Python in a regular expression ^ matches the beginning of the string $ matches the end of the string re.match() finds a match only at the start of the string re.match("regex", s) is equivalent to re.search("^ regex", s) to match a regex only at the end of the string re.search("regex $", string) to ensure the entire string matches re.search("^ regex $", string) ^ and $ are called anchors they don t match characters, they match positions before or after the string itself 9

10 meteorological information sources 10

11 weather information format 11

12 aviation digital data service aggregates METAR weather reports from the whole world METAR meteorological aerodrome report the most common format for the transmission of observational weather data standardized by the International Civil Aviation Organization (ICAO) METARs from anywhere can be understood by anyone e.g., report on previous page SLLP Z 08008KT 9999 ////// 13/M11 Q1041 station date, wind visibility clouds temperature barometric name time direction and pressure (UTC) and speed dew point current world-wide reports available by HTTP 12

13 data request parameters parameters follow the usual URI conventions in particular, multiple parameters are separated with & characters e.g., for Osaka Itami (station code RJOO) datasource=metars the kind of information requested & requesttype=retrieve get data (rather than server status, etc.) & format=csv comma-separated, not XML (which is hard to parse) & stationstring=rjoo the station we want data from & hoursbeforenow=36 how far back to search (36 hours is about the limit) & mostrecentforeachstation=constraint one result per station 13

14 data response format No errors No warnings 3 ms data source=metars 1 results raw_text,station_id,...more column headings... RJOO Z 23005KT 190V260 CAVOK 22/11 Q1013 RMK A2992,RJOO,... first six lines contain meta information about the query and response format data begins on line 7 everything up to the first comma is the METAR data to scrape the response remove the first six lines for each remaining line remove the first comma and everything following it decode the (space-separated) fields 14

15 scraping the response the first field is always the station name: RJOO the second field is always the time of the observation: Z day of month (two digits) time of day (four digits) the letter Z indicating the timezone (always Zulu, aka GMT, aka UTC+0) some of the remaining fields might be missing each field designed to be unambiguous identify the field type using a regular expression once the type is identified, extract the content from known positions 15

16 scraping the response e.g., wind direction and speed: 23005KT always five digits followed by KT regular expression to match this field: [0-9][0-9][0-9][0-9][0-9]KT direction is field[0:3] speed is field[3:5] temperature / dew point (in centigrade degrees): 22/ 11 the temperatures are always two digits the letter M is used instead of a negative sign a temperature of 11 C and dew point 5 C would be encoded 10/M05 barometric pressure: Q1013 regular expression: Q[0-9][0-9][0-9][0-9] pressure is field[1:5] 16

17 scraping the response cloud information is a little harder to decode SKC and CAVOK both mean the sky is clear CLR means no clouds below 12,000 feet OVC means overcast FEW, SCT, BKN mean few, scattered or broken clouds followed by three digits giving their altitude in 100s of feet BKN013 broken clouds with bases at 1,300 feet the information can be repeated for multiple cloud layers FEW008 SCT010 BKN100 if any part of the information is missing, the three characters are replaced with /// BKN/// broken clouds with unknown base altitude ////// cloud information unknown 17

18 scraping the response weather (precipitation) information is most complex of all qualifiers weather phenomena moderate MI shallow DZ drizzle BR mist PO dust/sand whirls + heavy PR partial RA rain FG fog SQ squalls - light BC patches SN snow FU smoke FC tornado VC in vicinity DR low drifting SG snow grains VA volcanic ash SS sand/dust storm BL blowing IC ice crystals DU widespread dust SH shower(s) PL ice pellets SA sand TS thunderstorm GR hail HZ haze FZ freezing GS small hail PY spray UP unknown precipitation e.g: VCFU = smoke in the vicinity -SHRA = light rain showers 18

19 practical: obtaining real-time raw weather data &requesttype=retrieve&format=csv&stationstring=rjoo &hoursbeforenow=36&mostrecentforeachstation=constraint METAR meaning xxyyyyz xxx day at yy:yy hours xxxyykt wind xxx at yy kts VRBxxKT wind variable at xx kts xxxvyyy wind varying fromt xxx to yyy xx/yy temperature xx dew point yy Mxx/Myy temperature -xx dew point -yy 9999 visibility unlimited xxxx visibility xxxx m CAVOK ceiling/visibility OK SKC sky clear CLR sky clear below 12,000 feet OVC sky overcast FEWxxx few clouds at xxx00 feet SCTxxx scattered clouds at xxx00 feet BKNxxx broken clouds at xxx00 feet Qxxxx pressure xxxx mbar Axxxx pressure xxxx inhg 19

TAF CCCC YYGGggZ YYHHHH dddff(f)gffkt VVVVSM [ww NNNhhh] [Wshhh/dddffKT] [TTTTT xxxx] repeated as needed

TAF CCCC YYGGggZ YYHHHH dddff(f)gffkt VVVVSM [ww NNNhhh] [Wshhh/dddffKT] [TTTTT xxxx] repeated as needed Encoding TAFs Terminal Aerodome Forecast (TAF) Terminal forecasts for the world follow an internationally accepted format. The TAFs are issued four times daily for 24 hour periods beginning at 00Z, 06Z,

More information

KEY TO DECODING THE U.S. METAR OBSERVATION REPORT

KEY TO DECODING THE U.S. METAR OBSERVATION REPORT KEY TO DECODING THE U.S. METAR OBSERVATION REPORT Example METAR Report METAR KABC 121755Z AUTO 21016G24KT 180V240 1SM R11/P6000FT -RA BR BKN015 0VC025 06/04 A2990 RMK A02 PK WND 20032/25 WSHFT 1715 VIS

More information

Aerodrome Forecast (TAF)

Aerodrome Forecast (TAF) AVIATION WEATHER PRODUCTS () Bureau of Meteorology Aviation Weather Services A is a coded statement of meteorological conditions expected at an and within a radius of five nautical miles of the reference

More information

Meteorology METARs. References: FTGU pages AWWS:

Meteorology METARs. References: FTGU pages AWWS: Meteorology 5.09 METARs References: FTGU pages 160-163 AWWS: www.flightplanning.navcanada.ca 5.09 METARs MTPs: Weather Observing Stations METARs Weather Observing Stations Weather observation are taken

More information

Meteorology METARs Weather Observing Stations. MTPs: 5.09 METARs References: FTGU pages AWWS:

Meteorology METARs Weather Observing Stations. MTPs: 5.09 METARs References: FTGU pages AWWS: Meteorology 5.09 References: FTGU pages 160-163 AWWS: www.flightplanning.navcanada.ca MTPs: Weather Observing Stations 5.09 Weather Observing Stations Weather observation are taken every hour at selected

More information

TAF Decoder Courtesy of the Aviation Weather Center

TAF Decoder Courtesy of the Aviation Weather Center TAF Decoder Courtesy of the Aviation Weather Center A Terminal Aerodrome Forecast (TAF) is a concise statement of the expected meteorological conditions at an airport during a specified period (usually

More information

MACIS documentation. a. Temporal resolution: For each month and the hole year

MACIS documentation. a. Temporal resolution: For each month and the hole year MACIS documentation Wind: 1. Relative frequency of mean wind speed b. Treshold values: mean wind speed greater, greater equal, less, less equal 3, 5, 10, 12, 15 20, 22, 25 kt 2. Relative frequency of gusts

More information

Aviation Weather Reports

Aviation Weather Reports Aviation Weather Reports Aviation Weather Reports METAR: hourly weather report (issued on the hour every hour) SPECI: special weather observations issued at times other than on the hour, as a result of

More information

Issue of SIGMET/AIRMET warning

Issue of SIGMET/AIRMET warning Issue of SIGMET/AIRMET warning 1 Presentation Objectives After this presentation session you will be able to: Warn for Hazardous weather phenomena using the correct ICAO coding with regards to SIGMET/AIRMET

More information

Aerodrome Reports and Forecasts

Aerodrome Reports and Forecasts Aerodrome Reports and Forecasts A Users Handbook to the Codes WMO-No. 782 Aerodrome Reports and Forecasts A Users Handbook to the Codes WMO-No. 782 Fifth edition November 2008 WMO-No. 782 World Meteorological

More information

現在天候 (Present weather)(wmo 4501)

現在天候 (Present weather)(wmo 4501) 現在天候 (Present weather)(wmo 4501) Based on WMO 4501 for recording present weather ( 更新日 : 平成 19 年 5 月 9 日 ) L0 L1 L2 L3 L4 L5 L6 L7 L8 L9 Clear(No cloud at any level) Partly cloudy(scattered or broken)

More information

Global Surface Archives Documentation

Global Surface Archives Documentation Global Surface Archives Documentation 1 July 2013 PO BOX 450211 GARLAND TX 75045 www.weathergraphics.com Global Surface Archives is a dataset containing hourly and special observations from official observation

More information

CHAPTER 9 - SPECIAL OBSERVATIONS

CHAPTER 9 - SPECIAL OBSERVATIONS CHAPTER 9 - AL OBSERVATIONS 9.1 Introduction This chapter explains the criteria for taking special observations (). 9.2 Special Observations s are taken whenever mandatory criteria are met, and at the

More information

Wind direction measures in degrees Occasion described with codes, when is calm or variable wind. Explanation

Wind direction measures in degrees Occasion described with codes, when is calm or variable wind. Explanation Introduction The searching results explanations of meteorological data Depending on the parameter, the instrumental measuring or visual observation method is used for the meteorological observations. Instrumentally

More information

GEMPAK Symbols, Lines, and Markers APPENDIX C. SYMBOLS, LINES, and MARKERS. Past Weather. Pressure tendency with change.

GEMPAK Symbols, Lines, and Markers APPENDIX C. SYMBOLS, LINES, and MARKERS. Past Weather. Pressure tendency with change. APPENDIX C SYMBOLS, LINES, and MARKERS SYMBOLS The World Meteorological Organization (WMO) has established a standard set of symbols depicting descriptive reports of certain types of weather observations.

More information

Work Package 1: Final Project Report Appendix E: The METAR data

Work Package 1: Final Project Report Appendix E: The METAR data Work Package 1: Final Project Report Appendix E: The METAR data First Assessment of the operational Limitations, Benefits & Applicability for a List of package I AS applications FALBALA Project Drafted

More information

METEOROLOGICAL AIRPORT REPORT

METEOROLOGICAL AIRPORT REPORT 1. Introduction 1.1. METAR IVAO TM Training Department Headquarters METEOROLOGICAL AIRPORT REPORT A METAR (Meteorological Airport Report) is a meteorological observation report (not a prediction) dedicated

More information

TERMINAL AERODROME FORECAST

TERMINAL AERODROME FORECAST 1. Introduction TERMINAL AERODROME FORECAST Basically, a Terminal Aerodrome Forecast (or Terminal Area Forecast, TAF) is a message with a defined format with the objective to report a weather forecast

More information

AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG)

AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG) MOFSG/8-SN No. 31 22/12/09 EROROME METEOROLOGIL OSERVTION N FOREST STUY GROUP (MOFSG) EIGHTH MEETING Melbourne, ustralia, 15 to 18 February 2010 genda Item 5: Observing and forecasting at the aerodrome

More information

Explanation and decode for code figures used in the Wokingham 0900 and 1500 GMT observations

Explanation and decode for code figures used in the Wokingham 0900 and 1500 GMT observations Appendix 2. Explanation and decode for code figures used in the Wokingham 0900 and 1500 GMT observations VV : Visibility. Code figures 00 to 50 are in km and tenths e.g. 01 = 0.1 km = 100 m, 33 = 3.3 km,

More information

AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG)

AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG) AMOFSG/9-SN No. 31 22/8/11 AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG) NINTH MEETING Montréal, 26 to 30 September 2011 Agenda Item 5: Observing and forecasting at the aerodrome

More information

National Climatic Data Center DATA DOCUMENTATION FOR. DATA SET 3280 (DSI-3280) Surface Airways Hourly. May 4, 2005

National Climatic Data Center DATA DOCUMENTATION FOR. DATA SET 3280 (DSI-3280) Surface Airways Hourly. May 4, 2005 National Climatic Data Center DATA DOCUMENTATION FOR DATA SET 3280 (DSI-3280) Surface Airways Hourly May 4, 2005 National Climatic Data Center 151 Patton Ave. Asheville, NC 28801-5001 USA Table of Contents

More information

Effective: SPECI ALERTING

Effective: SPECI ALERTING AUSTRALIA AERONAUTICAL INFORMATION SERVICE AIRSERVICES AUSTRALIA GPO BOX 367, CANBERRA ACT 2601 Phone: 02 6268 4874 Email: aim.editorial@airservicesaustralia.com Effective: AERONAUTICAL INFORMATION CIRCULAR

More information

Appendix X for CAP 437 Offshore Helicopter Landing Areas Guidance on Standards.

Appendix X for CAP 437 Offshore Helicopter Landing Areas Guidance on Standards. Appendix X for CAP 437 Offshore Helicopter Landing Areas Guidance on Standards. Additional Guidance relating to the provision of Meteorological Information from Offshore Installations 1. Introduction This

More information

Manual on Codes. Regional Codes and National Coding Practices Volume II edition Updated in 2017 WEATHER CLIMATE WATER. WMO-No.

Manual on Codes. Regional Codes and National Coding Practices Volume II edition Updated in 2017 WEATHER CLIMATE WATER. WMO-No. Manual on Codes Regional Codes and National Coding Practices Volume II 2011 edition Updated in 2017 WEATHER CLIMATE WATER WMO-No. 306 Manual on Codes Regional Codes and National Coding Practices Volume

More information

Section 7: Hazard Avoidance

Section 7: Hazard Avoidance 7.1 In-Flight Hazard Awareness Section 7: Hazard Avoidance As technology improves, pilots have more and more real-time information within reach in all phases of flight. Terrain proximity, real-time weather

More information

Atmospheric Pressure. Pressure Altimeter. Pressure Altimeter

Atmospheric Pressure. Pressure Altimeter. Pressure Altimeter Atmospheric Pressure The : An instrument to measure altitude based on an aneroid barometer. It can be adjusted for changes in atmospheric pressure 1 2 Altimeter Setting Is not SLP, but close to it. If

More information

Metar And Taf Decoding

Metar And Taf Decoding Metar And Taf Decoding 1 / 6 2 / 6 3 / 6 Metar And Taf Decoding examples: kmem 230853z auto 18014g18kt 10sm clr 16/m02 a3008 rmk ao2 slp117 t01561022 tsno $ klax 161550z cor 11004kt 2 1/2sm hz bkn011 bkn015

More information

MxVision WeatherSentry Web Services Content Guide

MxVision WeatherSentry Web Services Content Guide MxVision WeatherSentry Web Services Content Guide July 2014 DTN 11400 Rupp Drive Minneapolis, MN 55337 00.1.952.890.0609 This document and the software it describes are copyrighted with all rights reserved.

More information

Appendix 4 Weather. Weather Providers

Appendix 4 Weather. Weather Providers Appendix 4 Weather Using weather data in your automation solution can have many benefits. Without weather data, your home automation happens regardless of environmental conditions. Some things you can

More information

EnergyPlus Weather File (EPW) Data Dictionary

EnergyPlus Weather File (EPW) Data Dictionary EnergyPlus Weather File (EPW) Data Dictionary The data dictionary for EnergyPlus Weather Data is shown below. Note that semi-colons do NOT terminate lines in the EnergyPlus Weather Data. It helps if you

More information

ESCI 241 Meteorology Lesson 9 Clouds and Fog

ESCI 241 Meteorology Lesson 9 Clouds and Fog References and Reading: MT Chapter 7 FORMATION OF CLOUDS ESCI 241 Meteorology Lesson 9 Clouds and Fog When air becomes saturated with water vapor, any excess water vapor condenses to form clouds The air

More information

WMO Aeronautical Meteorology Scientific Conference 2017

WMO Aeronautical Meteorology Scientific Conference 2017 Session 2 Integration, use cases, fitness for purpose and service delivery 2.2 Terminal Area and Impact-based forecast Data-driven influence model of weather condition in airport operational performance

More information

Aerodrome Weather Observer

Aerodrome Weather Observer Aerodrome Weather Observer METARAWS/SPECIAWS Reporting and Recording Bureau of Meteorology Training Centre Commonwealth of Australia 2016 This work is copyright. Apart from any use as permitted under the

More information

isma-b-aac20 isma Weather kit User Manual Version 1.0 Page 1 / 11

isma-b-aac20 isma Weather kit User Manual Version 1.0 Page 1 / 11 isma-b-aac20 User Manual isma Weather kit Version 1.0 Page 1 / 11 Table of contents Sedona Weather module... 3 Installing isma Weather kit... 3 2.1 Install isma_weather kit on the AAC20 controller... 4

More information

The enduring fog and low cloud episode of 5-10 December 2015: Big Bubble Fog Trouble

The enduring fog and low cloud episode of 5-10 December 2015: Big Bubble Fog Trouble 1. Overview The enduring fog and low cloud episode of 5-10 December 2015: Big Bubble Fog Trouble By Richard H. Grumm National Weather Service State College, PA An enduring low cloud and fog episode affected

More information

GEN 3.5 METEOROLOGICAL SERVICES

GEN 3.5 METEOROLOGICAL SERVICES AIP GEN 3.5-1 GEN 3.5 METEOROLOGICAL SERVICES 1. RESPONSIBLE SERVICE The meteorological services for civil aviation at Jordan are provided by the Jordanian Meteorological Department. Postal Address: Director

More information

IMS4 ARWIS. Airport Runway Weather Information System. Real-time data, forecasts and early warnings

IMS4 ARWIS. Airport Runway Weather Information System. Real-time data, forecasts and early warnings Airport Runway Weather Information System Real-time data, forecasts and early warnings Airport Runway Weather Information System FEATURES: Detection and prediction of runway conditions Alarms on hazardous

More information

777 Neptune Groundschool Weather reporting & forecasts

777 Neptune Groundschool Weather reporting & forecasts 777 Neptune Groundschool 2018 Weather reporting & forecasts Weather Reporting Weather Forecast is a prediction of what the weather conditions will be in the future Weather Report tells the reader of what

More information

National Climatic Data Center DATA DOCUMENTATION FOR DATA SET 6406 (DSI-6406) ASOS SURFACE 1-MINUTE, PAGE 2 DATA. July 12, 2006

National Climatic Data Center DATA DOCUMENTATION FOR DATA SET 6406 (DSI-6406) ASOS SURFACE 1-MINUTE, PAGE 2 DATA. July 12, 2006 DATA DOCUMENTATION FOR DATA SET 6406 (DSI-6406) ASOS SURFACE 1-MINUTE, PAGE 2 DATA July 12, 2006 151 Patton Ave. Asheville, NC 28801-5001 USA Table of Contents Topic Page Number 1. Abstract... 3 2. Element

More information

Accuracy in Predicting GDPs and Airport Delays from Weather Forecast Data

Accuracy in Predicting GDPs and Airport Delays from Weather Forecast Data Accuracy in Predicting GDPs and Airport Delays from Weather Forecast Data David Smith Center for Air Transportation Systems Research George Mason University Fairfax, VA September 6, 2007 CENTER FOR AIR

More information

AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG)

AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG) 9/6/11 AERODROME METEOROLOGICAL OBSERVATION AND FORECAST STUDY GROUP (AMOFSG) NINTH MEETING Montréal, 26 to 30 September 2011 Agenda Item 5: Observing and forecasting at the aerodrome and in the terminal

More information

WORLD METEOROLOGICAL ORGANIZATION THE WMO TABLE DRIVEN CODES: THE 21 ST CENTURY UNIVERSAL OBSERVATION CODES

WORLD METEOROLOGICAL ORGANIZATION THE WMO TABLE DRIVEN CODES: THE 21 ST CENTURY UNIVERSAL OBSERVATION CODES WORLD METEOROLOGICAL ORGANIZATION THE WMO TABLE DRIVEN CODES: THE 21 ST CENTURY UNIVERSAL OBSERVATION CODES 1 THE WMO TABLE DRIVEN CODES: THE 21 ST CODES CENTURY UNIVERSAL OBSERVATION ABSTRACT The table

More information

6 6 INFORMATION 165 docstructure.indb /08/11 14:43:39

6 6 INFORMATION 165 docstructure.indb /08/11 14:43:39 6 6 INFORMATION165 USEFUL INFORMATION SiriusXM RADIO DATA SERVICE* *: SiriusXM U.S. satellite and data services are available only in the 48 contiguous USA and DC. SiriusXM satellite service is also available

More information

Sources of Hourly Surface Data and Weather Maps for the U.S.

Sources of Hourly Surface Data and Weather Maps for the U.S. Sources of Hourly Surface Data and Weather Maps for the U.S. Weather Underground Weather Underground http://www.wunderground.com/history/ maintains a deep archive of hourly reports for around the world.

More information

Sky Cover: Shining Light on a Gloomy Problem

Sky Cover: Shining Light on a Gloomy Problem Sky Cover: Shining Light on a Gloomy Problem Jordan Gerth Cooperative Institute for Meteorological Satellite Studies, Space Science and Engineering Center University of Wisconsin Madison 23 July 2013 1

More information

WMO/ICAO AMF Competencies

WMO/ICAO AMF Competencies WMO/ICAO AMF Competencies Workshop on Aeronautical Competencies and SIGMETs August 26 st, 2015 Karine Dumas Meteorological Service of Canada Montreal Competency Hierarchy Top-level Competencies WMO 49

More information

Preflight Weather Analysis Lesson 4 Part 4 of 4

Preflight Weather Analysis Lesson 4 Part 4 of 4 Preflight Weather Analysis Lesson 4 Part 4 of 4 Presented by Find-it Fast Books Unlimited FREE Downloads of this course available at www.finditfastbooks.org 1 The slide sequence for Lesson 4 is a little

More information

STUDY UNIT SEVENTEEN GRAPHICAL AIRMAN S METEOROLOGICAL ADVISORY (G-AIRMET)

STUDY UNIT SEVENTEEN GRAPHICAL AIRMAN S METEOROLOGICAL ADVISORY (G-AIRMET) STUDY UNIT SEVENTEEN GRAPHICAL AIRMAN S METEOROLOGICAL ADVISORY (G-AIRMET) 341 (10 pages of outline) 17.1 Product Description....................................................... 341 17.2 Issuance...............................................................

More information

1 AOS 452 Lab 1: Meteorological data decoding and forecast preparation

1 AOS 452 Lab 1: Meteorological data decoding and forecast preparation 1 AOS 452 Lab 1: Meteorological data decoding and forecast preparation This semester we will be using a variety of programs and software specific to meteorology. The first program we will focus on is:

More information

Decoding Observations and Terminal Aerodrome Forecasts. Weather Observer/Forecaster O-LD 18 th Weather Squadron Ft Polk, LA

Decoding Observations and Terminal Aerodrome Forecasts. Weather Observer/Forecaster O-LD 18 th Weather Squadron Ft Polk, LA Decoding Observations and Terminal Aerodrome Forecasts Weather Observer/Forecaster O-LD 18 th Weather Squadron Ft Polk, LA Part I. Decoding Observations What types of data goes into a weather observation?

More information

OBSERVING WEATHER. Assemble appropriate equipment. It doesn t need to be fancy (though it can be), but there are a few basics you should invest in.

OBSERVING WEATHER. Assemble appropriate equipment. It doesn t need to be fancy (though it can be), but there are a few basics you should invest in. OBSERVING WEATHER Some Tips for your own Weather Station Observing the weather is a great way to get in closer touch with the environment, and to learn some of the basic processes of science. Here are

More information

GREAT EXPERIENCE IN MONITORING SYSTEMS CAPACITY ON DEVELOPMENT AND CREATING SOLUTIONS ADVANCED ITALIAN TECHNOLOGY

GREAT EXPERIENCE IN MONITORING SYSTEMS CAPACITY ON DEVELOPMENT AND CREATING SOLUTIONS ADVANCED ITALIAN TECHNOLOGY GREAT EXPERIENCE IN MONITORING SYSTEMS CAPACITY ON DEVELOPMENT AND CREATING SOLUTIONS ADVANCED ITALIAN TECHNOLOGY NESA Srl Via Sartori 6/8 31020 Vidor (TV) Italy www.nesasrl.it info@nesasrl.it Quality

More information

FEDERAL CLIMATE COMPLEX DATA DOCUMENTATION FOR INTEGRATED SURFACE DATA

FEDERAL CLIMATE COMPLEX DATA DOCUMENTATION FOR INTEGRATED SURFACE DATA FEDERAL CLIMATE COMPLEX DATA DOCUMENTATION FOR INTEGRATED SURFACE DATA September 30, 2011 National Climatic Data Center Air Force Combat Climatology Center Fleet Numerical Meteorology and Oceanography

More information

The combination of visibility and temperature, strong surrogate for icing occurrence?

The combination of visibility and temperature, strong surrogate for icing occurrence? The combination of visibility and temperature, strong surrogate for icing occurrence? Jarkko Hirvonen Finnish Meteorological Institute Winterwind2012 Feb 6 7 2012 Skellefteå Background Visibility (VIS)

More information

Meteorology COMMERCIAL PILOT LICENCE AEROPLANE & HELICOPTER TRAINING AND EXAMINATION WORKBOOK WRITTEN BY PETER LIND

Meteorology COMMERCIAL PILOT LICENCE AEROPLANE & HELICOPTER TRAINING AND EXAMINATION WORKBOOK WRITTEN BY PETER LIND Meteorology COMMERCIAL PILOT LICENCE AEROPLANE & HELICOPTER TRAINING AND EXAMINATION WORKBOOK WRITTEN BY PETER LIND DESIGNED FOR THE CIVIL AVIATION SAFETY AUTHORITY MANUAL OF STANDARDS online practice

More information

Sources of Hourly Surface Data and Weather Maps for the U.S.

Sources of Hourly Surface Data and Weather Maps for the U.S. Sources of Hourly Surface Data and Weather Maps for the U.S. Weather Underground Weather Underground http://www.wunderground.com/history/ maintains a deep archive of hourly reports for around the world.

More information

and good his flight and take impact on Moderate Icing

and good his flight and take impact on Moderate Icing Learning Goals Weather Report Flying has always been about safety and good planning. A good pilot is the one who takes the time to plan his flight and take into account all of the variables. One of the

More information

How the Bureau of Meteorology contributes to the integrated risk picture. Presented by Michael Berechree

How the Bureau of Meteorology contributes to the integrated risk picture. Presented by Michael Berechree How the Bureau of Meteorology contributes to the integrated risk picture Presented by Michael Berechree Mission Meteorological Service The mission of the Bureau's Aviation Meteorological Service is to

More information

Lab 19.2 Synoptic Weather Maps

Lab 19.2 Synoptic Weather Maps Lab 19.2 Synoptic Weather Maps Name: Partner: Purpose The purpose of this lab is to have you read and interpret the information displayed on synoptic weather maps. You will also learn the techniques used

More information

IMS4 AWOS. Automated Weather Observation System. Integrates all airport weather data

IMS4 AWOS. Automated Weather Observation System. Integrates all airport weather data Integrates all airport weather data IMS4 AWOS FEATURES: Integrates all airport weather data Scalable up to ICAO category CAT III Conforms to the ICAO and WMO regulations and recommendations AWOS data on

More information

WEATHER MAP INFORMATION STATION MODEL. Station Model Lab. Period Date

WEATHER MAP INFORMATION STATION MODEL. Station Model Lab. Period Date Name Station Model Lab Period Date At commer cial air por t s t hr oughout t he count r y t he weat her is obser ved, measur ed and r ecor ded. I n New Yor k St at e alone t her e ar e over a dozen obser

More information

Use of lightning data to improve observations for aeronautical activities

Use of lightning data to improve observations for aeronautical activities Use of lightning data to improve observations for aeronautical activities Françoise Honoré Jean-Marc Yvagnes Patrick Thomas Météo_France Toulouse France I Introduction Aeronautical activities are very

More information

Chapter Introduction. Weather. Patterns. Forecasts Chapter Wrap-Up

Chapter Introduction. Weather. Patterns. Forecasts Chapter Wrap-Up Chapter Introduction Lesson 1 Lesson 2 Lesson 3 Describing Weather Weather Patterns Weather Forecasts Chapter Wrap-Up How do scientists describe and predict weather? What do you think? Before you begin,

More information

National Transportation Safety Board Office of Aviation Safety Washington, D.C December 10, 2012 WEATHER STUDY DCA13RA025

National Transportation Safety Board Office of Aviation Safety Washington, D.C December 10, 2012 WEATHER STUDY DCA13RA025 A. ACCIDENT National Transportation Safety Board Office of Aviation Safety Washington, D.C. 20594-2000 December 10, 2012 WEATHER STUDY DCA13RA025 Location: Monterrey, Mexico Date: December 9, 2012 Time:

More information

TAF and TREND Verification

TAF and TREND Verification TAF and TREND Verification Guenter Mahringer and Horst Frey, Austro Control, Aviation MET Service Linz, A-4063 Hoersching, Austria. guenter.mahringer@austrocontrol.at The TAF Verification Concept A TAF

More information

1 AOS 452 Lab 1: Meteorological data decoding and forecast preparation

1 AOS 452 Lab 1: Meteorological data decoding and forecast preparation 1 AOS 452 Lab 1: Meteorological data decoding and forecast preparation This semester we will be using a variety of programs and software specific to meteorology. The first program we will focus on is:

More information

Weather App v3. Tuesday 5th April 2011

Weather App v3. Tuesday 5th April 2011 Weather App v3 Tuesday 5th April 2011 A video demo animation of the app working can be found here: http://urbanspaceman.net/tivo/weatherref.htm Video demo:http://urbanspaceman.net/tivo/weatherref.htm Fig.1

More information

ROYAL CANADIAN AIR CADETS PROFICIENCY LEVEL FOUR INSTRUCTIONAL GUIDE SECTION 5 EO C ANALYZE WEATHER INFORMATION PREPARATION

ROYAL CANADIAN AIR CADETS PROFICIENCY LEVEL FOUR INSTRUCTIONAL GUIDE SECTION 5 EO C ANALYZE WEATHER INFORMATION PREPARATION ROYAL CANADIAN AIR CADETS PROFICIENCY LEVEL FOUR INSTRUCTIONAL GUIDE SECTION 5 EO C436.03 ANALYZE WEATHER INFORMATION Total Time: 90 min PREPARATION PRE-LESSON INSTRUCTIONS Resources needed for the delivery

More information

2. A mountain breeze (katabatic wind) blows : DOWN THE SLOPE DURING THE NIGHT

2. A mountain breeze (katabatic wind) blows : DOWN THE SLOPE DURING THE NIGHT MODEL E-EXAM (ATPL) NO.3 1. Among the ten groups of clouds, the following two are mentioned specifically in MET-reports and forecasts intended for aviation: CUMULONIMBUS AND TOWERING CUMULUS 2. A mountain

More information

ERTH 465 Fall Laboratory Exercise 5. Surface Weather Observations (METARS) and Frontal Analysis (300 pts)

ERTH 465 Fall Laboratory Exercise 5. Surface Weather Observations (METARS) and Frontal Analysis (300 pts) ERTH 465 Fall 2017 Laboratory Exercise 5 Surface Weather Observations (METARS) and Frontal Analysis (300 pts) Insert in ringed-three hole binder. Point deductions for sloppy or late work. Due date: Tuesday

More information

SAMPLE ASSESSMENT TASKS AVIATION ATAR YEAR 12

SAMPLE ASSESSMENT TASKS AVIATION ATAR YEAR 12 SAMPLE ASSESSMENT TASKS AVIATION ATAR YEAR 12 Copyright School Curriculum and Standards Authority, 2015 This document apart from any third party copyright material contained in it may be freely copied,

More information

LAPL(A)/PPL(A) question bank FCL.215, FCL.120 Rev METEOROLOGY 050

LAPL(A)/PPL(A) question bank FCL.215, FCL.120 Rev METEOROLOGY 050 METEOROLOGY 050 1 Below the tropopause, the ICAO Standard Atmosphere (ISA) assumes? A mean sea level pressure of 1013.25 hpa together with a mean sea level temperature of 15 C, decreasing by 1.98 C per

More information

Figure 1. Idealized global atmospheric circulation (C = surface convergence, D = surface divergence).

Figure 1. Idealized global atmospheric circulation (C = surface convergence, D = surface divergence). page - Laboratory Exercise #8 - Introduction to Atmospheric Science: Global Circulation and Weather Makers Section A - Global Atmospheric Circulation: To understand weather you need to understand how the

More information

Appendix. Atmosphere Investigation Data Work Sheet. Ozone Data Work Sheet. Atmospheric Haze Data Work Sheet. Clouds 7 Measurement Data Work Sheet

Appendix. Atmosphere Investigation Data Work Sheet. Ozone Data Work Sheet. Atmospheric Haze Data Work Sheet. Clouds 7 Measurement Data Work Sheet Appendix Atmosphere Investigation Data Work Sheet Ozone Data Work Sheet Atmospheric Haze Data Work Sheet Clouds 7 Measurement Data Work Sheet GLOBE 2000 Appendix - 1 Atmosphere Atmosphere Investigation

More information

Flight Dispatcher Aviation Meteorology Required Knowledge

Flight Dispatcher Aviation Meteorology Required Knowledge Flight Dispatcher Aviation Meteorology Required Knowledge 3.1 THE EARTH'S ATMOSPHERE 1 Properties 2 Vertical Structure 3 ICAO Standard Atmosphere 3.2 ATMOSPHERIC PRESSURE 1 Pressure Measurements 2 Station

More information

Issue of SIGMET/AIRMET warning part II

Issue of SIGMET/AIRMET warning part II Issue of SIGMET/AIRMET warning part II 1 SIGMET SIGMET is warning information and hence it is of highest priority amongst other types of meteorological information provided to the aviation users. This

More information

FOLLOW-UP OF AMOFSG/8 ACTION AGREED (AC) Status on 12 April = completed

FOLLOW-UP OF AMOFSG/8 ACTION AGREED (AC) Status on 12 April = completed FOLLOW-UP OF AMOFSG/8 ACTION AGREED (AC) Status on 12 April 2011 = completed No. 8/1 Rationale for the use of the term "decision height" the Secretary investigates the rationale behind the need for information

More information

9999= letters "blocks".

9999= letters blocks. METAR Learning Goals METAR/TAF Weather Report HECA 290925Z 04009KT 010V070 7000 DZRA FEW006 SCT010 BKN022 19/12 Q1008 BECMG 9999= What what what what?????? Wow, I don't understan nd this. All I see is

More information

Subject No 8 - PPL Meteorology

Subject No 8 - PPL Meteorology Subject No 8 - PPL Meteorology Notes: This syllabus is principally based on the meteorology as applicable to flying a single piston-engine General Aviation type aeroplane or helicopter, within New Zealand

More information

METEOROLOGY PANEL (METP) WORKING GROUP- METEOROLOGICAL OPERATION GROUP (MOG) FIRST MEETING

METEOROLOGY PANEL (METP) WORKING GROUP- METEOROLOGICAL OPERATION GROUP (MOG) FIRST MEETING 8 28/7/15 METEOROLOGY PANEL (METP) WORKING GROUP- METEOROLOGICAL OPERATION GROUP (MOG) FIRST MEETING Gatwick, United Kingdom, 08 to 11 September 2015 Agenda Item 3: Matters relating to SADIS 3.3: Operations

More information

Meteorology. Review Extreme Weather a. cold front. b. warm front. What type of weather is associated with a:

Meteorology. Review Extreme Weather a. cold front. b. warm front. What type of weather is associated with a: Meteorology 5.08 Extreme Weather References: FTGU pages 132, 144, 145, 148-155 Air Command Weather Manual Chapters 9 and 15 Review What type of weather is associated with a: a. cold front b. warm front

More information

Syllabus details and associated Learning Objectives (A) and EIR METEOROLOGY

Syllabus details and associated Learning Objectives (A) and EIR METEOROLOGY Syllabus details associated Learning Objectives 050 00 00 00 METEOROLOGY 050 01 00 00 THE ATMOSPHERE 050 01 02 00 Air temperature 050 01 02 04 Lapse rates LO Describe qualitatively quantitatively the temperature

More information

ES1 Investigating Weather Maps/Station Models Act# 10 Name Block Date

ES1 Investigating Weather Maps/Station Models Act# 10 Name Block Date yay, bonus pt. because oops, no HO, book, heading this date =MP ES1 Investigating Weather Maps/Station Models Act# 10 Name Block Date Weather INTRODUCTION: Weather maps combine meteorological data from

More information

The Informed Scheduler

The Informed Scheduler The Informed Scheduler Thursday, January 21, 2016 1:00 p.m. 2:30 p.m. PRESENTED BY: Vinton Brown, Flight Safety International James M. Kohler, Chief Pilot, DuPont Andrew M. Bourland, CAM, Chief Pilot,

More information

Guidance on Aeronautical Meteorological Observer Competency Standards

Guidance on Aeronautical Meteorological Observer Competency Standards Guidance on Aeronautical Meteorological Observer Competency Standards The following guidance is supplementary to the AMP competency Standards endorsed by Cg-16 in Geneva in May 2011. Format of the Descriptions

More information

Guidance to Instructors on Subject Delivery PILOT NAVIGATION. This is a suggested programme for the delivery of this subject.

Guidance to Instructors on Subject Delivery PILOT NAVIGATION. This is a suggested programme for the delivery of this subject. Programme of learning: Guidance to Instructors on Subject Delivery This is a suggested programme for the delivery of this subject. The main headings are the Learning Outcomes (LO1, LO2, etc), with sub

More information

Implementation Guidance of Aeronautical Meteorological Forecaster Competency Standards

Implementation Guidance of Aeronautical Meteorological Forecaster Competency Standards Implementation Guidance of Aeronautical Meteorological Forecaster Competency Standards The following guidance is supplementary to the AMP competency Standards endorsed by Cg-16 in Geneva in May 2011. Implicit

More information

ESCI 1010 Lab 1 Introduction to Weather Data

ESCI 1010 Lab 1 Introduction to Weather Data ESCI 1010 Lab 1 Introduction to Weather Data Before Lab: Review pages 1-51 in your Weather and Climate textbook. Pay special attention to the sections entitled Location and Time on Earth and Some Weather

More information

Terminal aerodrome forecast verification in Austro Control using time windows and ranges of forecast conditions

Terminal aerodrome forecast verification in Austro Control using time windows and ranges of forecast conditions METEOROLOGICAL APPLICATIONS Meteorol. Appl. 15: 113 123 (2008) Published online in Wiley InterScience (www.interscience.wiley.com).62 Terminal aerodrome forecast verification in Austro Control using time

More information

Status of cataloguing high impact events in Europe

Status of cataloguing high impact events in Europe Status of cataloguing high impact events in Europe Stefan Rösner supported by Buhalqem Mamtimin, Maya Körber Division Regional Climate Monitoring, Deutscher Wetterdienst 1 WMO Regional Association VI Test

More information

GEN 3.5 METEOROLOGICAL SERVICES

GEN 3.5 METEOROLOGICAL SERVICES GEN-3.5-1 3.5.1 RESPONSIBLE SERVICE GEN 3.5 METEOROLOGICAL SERVICES The authority entrusted with the provision of aeronautical meteorological service is the Lithuanian Hydrometeorological Service. Lithuanian

More information

Observing Weather: Making the Invisible Visible. Dr. Michael J. Passow

Observing Weather: Making the Invisible Visible. Dr. Michael J. Passow Observing Weather: Making the Invisible Visible Dr. Michael J. Passow What Is Weather? Weather refers to the conditions of the atmosphere at a certain place and time. Weather differs from Climate, which

More information

Electronic Station Data Definitions

Electronic Station Data Definitions Electronic Station Data Definitions CODE DATE TIME Station Code Date and time of OBS TYPE Observation Type ST - "Standard Observations" collected at 0600 and 1800, RAW - hourly s collected every hour,

More information

Linked Environments for Atmospheric Discovery: Web Services for Meteorological Research and Education

Linked Environments for Atmospheric Discovery: Web Services for Meteorological Research and Education Linked Environments for Atmospheric Discovery: Web Services for Meteorological Research and Education What Would YOU Do if These Were About to Occur? What THEY Do to Us!!! Each year in the US, mesoscale

More information

Atmospheric Moisture. Atmospheric Moisture:Clouds. Atmospheric Moisture:Clouds. Atmospheric Moisture:Clouds

Atmospheric Moisture. Atmospheric Moisture:Clouds. Atmospheric Moisture:Clouds. Atmospheric Moisture:Clouds Sec A Atmospheric Moisture I. Measuring Relative Humidity A. A Psychrometer is an instrument for measuring relative humidity B. A common psychrometer uses two thermometers with a wet gauze wrapped over

More information

Precipitation type from the Thies disdrometer

Precipitation type from the Thies disdrometer Precipitation type from the Thies disdrometer Hannelore I. Bloemink 1, Eckhard Lanzinger 2 1 Royal Netherlands Meteorological Institute (KNMI) Instrumentation Division P.O. Box 201, 3730 AE De Bilt, The

More information

Earth and Atmospheric Sciences. Sky condition. Prof. J. Haase EAS535 EAS535

Earth and Atmospheric Sciences. Sky condition. Prof. J. Haase EAS535 EAS535 Sky condition Prof. J. Haase Federal Meteorological Handbook http://www.ofcm.gov/fmh-1/fmh1.htm Estimating cloud height Report cloud levels to nearest 100 feet below 5000 feet (in practice, human observers

More information

WEATHER. rain. thunder. The explosive sound of air as it is heated by lightning.

WEATHER. rain. thunder. The explosive sound of air as it is heated by lightning. WEATHER rain thunder The explosive sound of air as it is heated by lightning. rainbow lightning hurricane They are intense storms with swirling winds up to 150 miles per hour. tornado cold front warm front

More information

5.4 USING PROBABILISTIC FORECAST GUIDANCE AND AN UPDATE TECHNIQUE TO GENERATE TERMINAL AERODROME FORECASTS

5.4 USING PROBABILISTIC FORECAST GUIDANCE AND AN UPDATE TECHNIQUE TO GENERATE TERMINAL AERODROME FORECASTS 5.4 USING PROBABILISTIC FORECAST GUIDANCE AND AN UPDATE TECHNIQUE TO GENERATE TERMINAL AERODROME FORECASTS Mark G. Oberfield* and Matthew R. Peroutka Meteorological Development Laboratory Office of Science

More information