Severe Weather Events in the United States Chris Rodgers 28 November 2017

Size: px
Start display at page:

Download "Severe Weather Events in the United States Chris Rodgers 28 November 2017"

Transcription

1 Severe Weather Events in the United States Chris Rodgers 28 November 2017 Synopsis This project involves exploring the U.S. National Oceanic and Atmospheric Administration s (NOAA) storm database. This database tracks characteristics of major storms and weather events in the United States, including when and where they occur, as well as estimates of any fatalities, injuries, and property damage. This project consts of two parts. Part one involves import and pre-processing the data. The data are messy and require several transformations so that they are in a format that can be used for analysis. Part two involves performing analysis to determine which weather events are the most destructive and presenting the results of that analysis. Part one: Data Processing First we download the source data set. Download if(!exists("noaa")){ temp <- tempfile() download.file(" temp) noaa <- read.csv(bzfile(temp)) unlink(temp) } options(scipen = 999) The data includes 902,297 rows with 37 variables. dim(noaa) ## [1] Post-2000 only The data set is large so we first we filter to only include observations one or after 01/01/2000. This date was arbitrarily chosen in order to reduce the number of observations. noaa <- dplyr::mutate(noaa, BGN_DATE = lubridate::mdy_hms(bgn_date)) noaa <- dplyr::filter(noaa, BGN_DATE >= 01/01/2000) Filtering to observations on or after 01/01/2000 leaves us with 866,041 observations. 1

2 dim(noaa) ## [1] Tidy up damage exponents Crop and property damage are both recorded in this dataset. Property damage is record with a value for damage (PROPDMG) and an exponent which defines the unit of measure (PROPDMGEXP) for the PROPDMG entered. For example, for an observation the PROPDMG is equal to 25.0 while the PROPDMG EXP is K - this means that there was $25,000 worth of property damage. The same method of recording is done for crop damage. The exponents for property and crop damage are not recorded consistently (i.e. thousands is recorded as k and K for different observations). The below code tidies up the most commonly used exponents. noaa <- dplyr::mutate(noaa, PROPDMGEXP = gsub("k", "K", PROPDMGEXP)) noaa <- dplyr::mutate(noaa, PROPDMGEXP = gsub("m", "M", PROPDMGEXP)) noaa <- dplyr::mutate(noaa, PROPDMGEXP = gsub("h", "H", PROPDMGEXP)) noaa <- dplyr::mutate(noaa, CROPDMGEXP = gsub("k", "K", CROPDMGEXP)) noaa <- dplyr::mutate(noaa, CROPDMGEXP = gsub("m", "M", CROPDMGEXP)) Tidy up event types Event type records the type of weather event that an observations represents. There are 47 official event types however the source data has several hundred unique event types recorded. The below code updates some event type names to match one from the official list of 47. The event types to update were chosen by counting and ordering the number of observations for each event type. Event types that had a high count of observations but were variations of an official event type are covered by this update. noaa <- dplyr::mutate(noaa, EVTYPE = gsub("avalance", "AVALANCHE", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*flash FLOOD.*", "FLASH FLOOD", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*thunderstorm.*", "THUNDER STORM WIND", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*tstm.*", "THUNDER STORM WIND", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*rip CURRENT.*", "RIP CURRENT", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*hurricane.*", "HURRICANE/TYPHOON", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*high WIND.*", "HIGH WIND", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*wild.*", "WILD FIRE", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*winter WEATHER.*", "WINTER WEATHER", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*extreme COLD.*", "EXTREME COLD/WIND CHILL", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*extreme HEAT.*", "EXCESSIVE HEAT", EVTYPE)) 2

3 noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*heat WAVE.*", "HEAT", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*unseasonably WARM AND DRY.*", "HEAT", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*cold.*", "COLD/WIND CHILL", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*cold.*", "COLD/WIND CHILL", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*glaze.*", "FREEZING FOG", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*glaze.*", "FREEZING FOG", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*heavy SURF.*", "HIGH SURF", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*mixed PRECIP.*", "WINTER WEATHER", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*drought.*", "DROUGHT", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*snow AND ICE.*", "WINTER WEATHER", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*fog*", "FREEZING FOG", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*snow SQUALL.*", "HEAVY SNOW", EVTYPE)) noaa <- dplyr::mutate(noaa, EVTYPE = gsub(".*freezing DRIZZLE.*", "WINTER WEATHER", EVTYPE)) #remove icy roads because they aren't a weather event noaa <- dplyr::filter(noaa, EVTYPE!= "ICY ROADS") Make damage common Damage was recorded with different exponents (e.g. millions, thousands, hundreds) - the below code updates the value recorded for damage so that they all represent millions. For example, 250K will be update to.25 (a quarter of a million). noaa <- dplyr::mutate(noaa, PROPDMG = dplyr::case_when(propdmgexp == "M" ~ PROPDMG, PROPDMGEXP == "K" ~ #set NA for PROPDMG to 0 noaa <- dplyr::mutate(noaa, PROPDMG = if_else(is.na(propdmg), 0, PROPDMG)) Summarise data With some basic data tidying complete we will group the data by event type. This will help with further filtering data so that only event types that resulted in damage are included for analysis. The summary will include total and average death, injury, property damage and crop damage values. Group data noaa <- dplyr::group_by(noaa, EVTYPE) Create summary variables 3

4 noaasum <- dplyr::summarise(noaa, total.propdmg = sum(propdmg), mean.propdmg = mean(propdmg), total.fata Filter out rare events that occur less than 10 times. noaasum <- dplyr::filter(noaasum, count >= 10) Filter to only event types that caused damage Create a separate data set that consists only of event types that had a death or injury. Events that have never had a recorded death or injury are excluded. events <- dplyr::filter(noaa, FATALITIES INJURIES!= 0) events <- unique(dplyr::select(events, EVTYPE)) deathsetsum <- dplyr::filter(noaasum, EVTYPE %in% events$evtype) Create a separate data set that consists only of event types that had economic damage. Any event type with 0 property and 0 crop damage is not included in this data set. events <- dplyr::filter(noaa, PROPDMG!= 0) events <- unique(dplyr::select(events, EVTYPE)) propsetsum <- dplyr::filter(noaasum, EVTYPE %in% events$evtype) Part two: Results Now that the data is somewhat tidy and grouped into sets appropriate for analysis we will have a look at the two key questions. Across the United States, which types of events are most harmful with respect to population health? Population health is measured here in terms of death and injury caused by an event. We have already created a data set of only events that included death or injury. This will be used to answer this question. dim(deathsetsum) ## [1] 68 8 There are 68 event types that have caused injury or death. This is too many to look at so we will look at the top 10. Create top 10 data sets. top10mean <- dplyr::arrange(deathsetsum, desc(mean.fatalities)) top10mean <- top10mean %>% dplyr::slice(1:10) top10total <- dplyr::arrange(deathsetsum, desc(total.fatalities)) top10total <- top10total %>% dplyr::slice(1:10) The top events by mean fatalities is shown in the barplot below. ggplot2::ggplot(top10mean, aes(x = reorder(evtype, mean.fatalities), y = mean.fatalities)) + geom_bar(st 4

5 TSUNAMI HEAT EXCESSIVE HEAT RIP CURRENT Event Type AVALANCHE HURRICANE/TYPHOON MARINE STRONG WIND COLD/WIND CHILL HIGH SURF ICE Mean Fatalities Tsunami is the top weather event in terms of mean fatalities. Heat events combined have the greatest impact on average in terms of human death. The top events by total deaths are shown in the below bar plot. ggplot2::ggplot(top10total, aes(x = reorder(evtype, total.fatalities), y = total.fatalities)) + geom_bar 5

6 TORNADO EXCESSIVE HEAT HEAT FLASH FLOOD Event Type LIGHTNING THUNDER STORM WIND RIP CURRENT FLOOD COLD/WIND CHILL HIGH WIND Total Fatalities Tornadoes have caused the most fatalities from the year 2000 to present. Heat events again feature prominently, with excessive heat and heat combined causing the largest amount of deaths. Flooding, represented by flash flooding and flood, is also prominent. In terms of volume of harm to the population, tornadoes and heat are the most damaging. Flooding also features prominently as a cause of loss of life. Across the United States, which types of events have the greatest economic consequences? top10mean <- dplyr::arrange(propsetsum, desc(mean.propdmg)) top10mean <- top10mean %>% dplyr::slice(1:10) top10total <- dplyr::arrange(deathsetsum, desc(total.propdmg)) top10total <- top10total %>% dplyr::slice(1:10) The below bar plot shows the top events by total property damage. ggplot2::ggplot(top10total, aes(x = reorder(evtype, total.fatalities), y = total.fatalities)) + geom_bar 6

7 TORNADO FLASH FLOOD LIGHTNING THUNDER STORM WIND Event Type FLOOD HIGH WIND HURRICANE/TYPHOON WILD FIRE ICE STORM HAIL Total Property Damage (millions) Tornadoes are by far the event that have caused the most property damage since the year Flooding (represented in flood and flash flood) also features prominently in total damage caused. 7

Wind Events. Flooding Events. T-Storm Events. Awareness Alerts / Potential Alerts / Action Alerts / Immediate Action Alerts / Emergency Alerts.

Wind Events. Flooding Events. T-Storm Events. Awareness Alerts / Potential Alerts / Action Alerts / Immediate Action Alerts / Emergency Alerts. Information Updated: February of 2016 Our Alert Terms Definitions * Use exactly as seen below * Wind Events Awareness Alert - Strong Winds Potential Alert - Damaging Winds ACTION Alert - Damaging Winds

More information

A Preliminary Severe Winter Storms Climatology for Missouri from

A Preliminary Severe Winter Storms Climatology for Missouri from A Preliminary Severe Winter Storms Climatology for Missouri from 1960-2010 K.L. Crandall and P.S Market University of Missouri Department of Soil, Environmental and Atmospheric Sciences Introduction The

More information

Key Concept Weather results from the movement of air masses that differ in temperature and humidity.

Key Concept Weather results from the movement of air masses that differ in temperature and humidity. Section 2 Fronts and Weather Key Concept Weather results from the movement of air masses that differ in temperature and humidity. What You Will Learn Differences in pressure, temperature, air movement,

More information

Chapter 3: Weather Fronts & Storms

Chapter 3: Weather Fronts & Storms Chapter 3: Weather Fronts & Storms An AIR MASS is a large body of air that has similar characteristics (temperature, humidity) throughout. Air masses can be massively large. Air masses are classified by

More information

Funding provided by NOAA Sectoral Applications Research Project CLIMATE. Basic Climatology Oklahoma Climatological Survey

Funding provided by NOAA Sectoral Applications Research Project CLIMATE. Basic Climatology Oklahoma Climatological Survey Funding provided by NOAA Sectoral Applications Research Project CLIMATE Basic Climatology Oklahoma Climatological Survey Remember These? Factor 1: Our Energy Source Factor 2: Revolution & Tilt Factor 3:

More information

Severe Weather. Copyright 2006 InstructorWeb

Severe Weather. Copyright 2006 InstructorWeb Severe Weather People need to know what the weather is going to do. Sometimes severe weather can happen. Severe weather can cause property damage, injuries to people and animals, and even loss of life.

More information

5.2 IDENTIFICATION OF HAZARDS OF CONCERN

5.2 IDENTIFICATION OF HAZARDS OF CONCERN 5.2 IDENTIFICATION OF HAZARDS OF CONCERN 2016 HMP Update Changes The 2011 HMP hazard identification was presented in Section 3. For the 2016 HMP update, the hazard identification is presented in subsection

More information

TOPICS: What are Thunderstorms? Ingredients Stages Types Lightning Downburst and Microburst

TOPICS: What are Thunderstorms? Ingredients Stages Types Lightning Downburst and Microburst THUNDERSTORMS TOPICS: What are Thunderstorms? Ingredients Stages Types Lightning Downburst and Microburst What are Thunderstorms? A storm produced by a cumulonimbus cloud that contains lightning and thunder

More information

5.2 IDENTIFICATION OF HAZARDS OF CONCERN

5.2 IDENTIFICATION OF HAZARDS OF CONCERN 5.2 IDENTIFICATION OF HAZARDS OF CONCERN 2016 HMP Update Changes The 2011 HMP hazard identification was presented in Section 3. For the 2016 HMP update, the hazard identification is presented in subsection

More information

SCI-4 Mil-Brock-Weather Exam not valid for Paper Pencil Test Sessions

SCI-4 Mil-Brock-Weather Exam not valid for Paper Pencil Test Sessions SCI-4 Mil-Brock-Weather Exam not valid for Paper Pencil Test Sessions [Exam ID:1TLR5H 1 Warm air rises and cools. Moisture in the air forms clouds that will bring rain. What pressure system is described?

More information

Created by Mrs. Susan Dennison

Created by Mrs. Susan Dennison Created by Mrs. Susan Dennison 2015-2015 The atmosphere is a layer of invisible gas (air) that surrounds the Earth. It wraps around the planet like a blanket. All weather happens in the lower atmosphere.

More information

Kentucky Weather Hazards: What is Your Risk?

Kentucky Weather Hazards: What is Your Risk? Kentucky Weather Hazards: What is Your Risk? Stuart A. Foster State Climatologist for Kentucky 2010 Kentucky Weather Conference Bowling Green, Kentucky January 16, 2010 Perspectives on Kentucky s Climate

More information

HAZARD DESCRIPTION... 1 LOCATION... 1 EXTENT... 1 HISTORICAL OCCURRENCES...

HAZARD DESCRIPTION... 1 LOCATION... 1 EXTENT... 1 HISTORICAL OCCURRENCES... WINTER STORM HAZARD DESCRIPTION... 1 LOCATION... 1 EXTENT... 1 HISTORICAL OCCURRENCES... 3 SIGNIFICANT PAST EVENTS... 4 PROBABILITY OF FUTURE EVENTS... 5 VULNERABILITY AND IMPACT... 5 Hazard Description

More information

Joseph E. Boxhorn, Ph.D., Senior Planner Southeastern Wisconsin Regional Planning Commission #

Joseph E. Boxhorn, Ph.D., Senior Planner Southeastern Wisconsin Regional Planning Commission # Joseph E. Boxhorn, Ph.D., Senior Planner Southeastern Wisconsin Regional Planning Commission # 228346 Chapter I Introduction and Background Chapter II Basic Study Area Inventory and Analysis Hazard

More information

Severe Weather Watches, Advisories & Warnings

Severe Weather Watches, Advisories & Warnings Severe Weather Watches, Advisories & Warnings Tornado Watch Issued by the Storm Prediction Center when conditions are favorable for the development of severe thunderstorms and tornadoes over a larger-scale

More information

5.2. IDENTIFICATION OF NATURAL HAZARDS OF CONCERN

5.2. IDENTIFICATION OF NATURAL HAZARDS OF CONCERN 5.2. IDENTIFICATION OF NATURAL HAZARDS OF CONCERN To provide a strong foundation for mitigation strategies considered in Sections 6 and 9, County considered a full range of natural hazards that could impact

More information

How strong does wind have to be to topple a garbage can?

How strong does wind have to be to topple a garbage can? How strong does wind have to be to topple a garbage can? Imagine winds powerful enough to pick up a truck and toss it the length of a football field. Winds of this extreme sometimes happen in a tornado.

More information

Summary of Natural Hazard Statistics for 2008 in the United States

Summary of Natural Hazard Statistics for 2008 in the United States Summary of Natural Hazard Statistics for 2008 in the United States This National Weather Service (NWS) report summarizes fatalities, injuries and damages caused by severe weather in 2008. The NWS Office

More information

Joseph E. Boxhorn, Ph.D., Senior Planner Southeastern Wisconsin Regional Planning Commission #

Joseph E. Boxhorn, Ph.D., Senior Planner Southeastern Wisconsin Regional Planning Commission # Joseph E. Boxhorn, Ph.D., Senior Planner Southeastern Wisconsin Regional Planning Commission # 228395 Chapter I Introduction and Background Chapter II Basic Study Area Inventory and Analysis Hazard

More information

5.2 IDENTIFICATION OF HAZARDS OF CONCERN

5.2 IDENTIFICATION OF HAZARDS OF CONCERN 5.2 IDENTIFICATION OF HAZARDS OF CONCERN 2015 HMP Update Changes The 2010 HMP hazard identification was presented in Section 6. For the 2015 HMP update, the hazard identification is presented in subsection

More information

Bossier Parish Hazard Mitigation Plan Update Public Meeting. August 10, 2016 Bossier City, LA

Bossier Parish Hazard Mitigation Plan Update Public Meeting. August 10, 2016 Bossier City, LA Bossier Parish Hazard Mitigation Plan Update Public Meeting August 10, 2016 Bossier City, LA Agenda Hazard Mitigation Planning Process SDMI Staff Risk Assessment SDMI Staff Update on Previous/Current Mitigation

More information

3 Severe Weather. Critical Thinking

3 Severe Weather. Critical Thinking CHAPTER 2 3 Severe Weather SECTION Understanding Weather BEFORE YOU READ After you read this section, you should be able to answer these questions: What are some types of severe weather? How can you stay

More information

Earth Science Weather and Climate Reading Comprehension. Weather and Climate

Earth Science Weather and Climate Reading Comprehension. Weather and Climate Reading Comprehension 1 If you walked outside and it was raining, that would be the weather of the day. If you lived in an area where it rained almost every day, that would be the climate of the area.

More information

Multiple Choice Identify the choice that best completes the statement or answers the question.

Multiple Choice Identify the choice that best completes the statement or answers the question. CH.15 practice TEST Multiple Choice Identify the choice that best completes the statement or answers the question. 1) The short-term state of the atmosphere is called a) climate. c) water cycle. b) weather.

More information

W I N T E R STORM HAZARD DESCRIPTION

W I N T E R STORM HAZARD DESCRIPTION W I N T E R STORM HAZARD DESCRIPTION... 1 LOCATION... 2 EXTENT... 2 HISTORICAL OCCURRENCES... 4 SIGNIFICANT PAST EVENTS... 4 PROBABILITY OF FUTURE EVENTS... 5 VULNERABILITY AND IMPACT... 5 HAZARD DESCRIPTION

More information

IDENTIFICATION OF HAZARDS OF CONCERN

IDENTIFICATION OF HAZARDS OF CONCERN IDENTIFICATION OF HAZARDS OF CONCERN To provide a strong foundation for mitigation strategies considered in Section 6, the Village considered a full range of hazards that could impact the area and then

More information

LECTURE #15: Thunderstorms & Lightning Hazards

LECTURE #15: Thunderstorms & Lightning Hazards GEOL 0820 Ramsey Natural Disasters Spring, 2018 LECTURE #15: Thunderstorms & Lightning Hazards Date: 1 March 2018 (lecturer: Dr. Shawn Wright) I. Severe Weather Hazards focus for next few weeks o somewhat

More information

Events. Flood. Hurricane. Description: Description: Impact to Ecosystem: Impact to Ecosystem: , KeslerScience.

Events. Flood. Hurricane. Description: Description: Impact to Ecosystem: Impact to Ecosystem: ,  KeslerScience. Events Flood Hurricane, www.keslerscience.com KeslerScience.com, KeslerScience.com, Earthquake Tsunami Meteor Blizzard Drought Tornado Volcano Wildfire Catastrophic KEY Events KeslerScience.com, Flood

More information

Exercise Brunswick ALPHA 2018

Exercise Brunswick ALPHA 2018 ALPHA Exercise Brunswick ALPHA 2018 Who we are (our structure) What we do (our forecasts) How you can access the information Tropical cyclone information (basic) Overview of the products used for Exercise

More information

Storm and Storm Systems Related Vocabulary and Definitions. Magnitudes are measured differently for different hazard types:

Storm and Storm Systems Related Vocabulary and Definitions. Magnitudes are measured differently for different hazard types: Storm and Storm Systems Related Vocabulary and Definitions Magnitude: this is an indication of the scale of an event, often synonymous with intensity or size. In natural systems, magnitude is also related

More information

10. Severe Local Storms (Thunderstorms)

10. Severe Local Storms (Thunderstorms) 10. Severe Local Storms (Thunderstorms) Hail. Can be larger than softball (10 cm in diameter) Smaller damage ratios, but over large areas In USA causes more than $1 billion crop and property damage each

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

1st Annual Southwest Ohio Snow Conference April 8, 2010 Abner F. Johnson, Office of Maintenance - RWIS Coordinator

1st Annual Southwest Ohio Snow Conference April 8, 2010 Abner F. Johnson, Office of Maintenance - RWIS Coordinator 1st Annual Southwest Ohio Snow Conference April 8, 2010 Abner F. Johnson, Office of Maintenance - RWIS Coordinator The Ohio Department of Transportation ODOT has approximately 5500 full-time employees

More information

2014 Annual Mitigation Plan Review Meeting

2014 Annual Mitigation Plan Review Meeting 2014 Annual Mitigation Plan Review Meeting Highland County EMA MEETING OBJECTIVES Understand Your Natural Disaster Risk Review of Previous Plans Current Plan Status Future Activity Plan/Needs of Each Community

More information

Temp 54 Dew Point 41 Relative Humidity 63%

Temp 54 Dew Point 41 Relative Humidity 63% Temp 54 Dew Point 41 Relative Humidity 63% Water in the Atmosphere Evaporation Water molecules change from the liquid to gas phase Molecules in liquids move slowly Heat energy makes them move faster When

More information

Section 12. Winter Storms

Section 12. Winter Storms Section 12. Winter Storms Contents Why Winter Storms are a Threat...12-1 Hazard Profile...12-1 History of Winter Storms...12-4 People and Property at Risk...12-7 Potential Damages and Losses...12-7 Why

More information

Weather: Air Patterns

Weather: Air Patterns Weather: Air Patterns Weather: Air Patterns Weather results from global patterns in the atmosphere interacting with local conditions. You have probably experienced seasonal shifts, such as winter in New

More information

Funding provided by NOAA Sectoral Applications Research Project CLIMATE. Basic Climatology Colorado Climate Center

Funding provided by NOAA Sectoral Applications Research Project CLIMATE. Basic Climatology Colorado Climate Center Funding provided by NOAA Sectoral Applications Research Project CLIMATE Basic Climatology Colorado Climate Center Remember These? Factor 1: Our Energy Source Factor 2: Revolution & Tilt Factor 3: Rotation!

More information

SIGNIFICANT EVENTS Severe Storms November 1994 January 1996 August 1998 and May 2000 March 2002 May 2002 Champaign County

SIGNIFICANT EVENTS Severe Storms November 1994 January 1996 August 1998 and May 2000 March 2002 May 2002 Champaign County SIGNIFICANT EVENTS Severe Storms November 1994 On Nov. 1, 1994, high winds gusted over 60 mph at times across the northwest third of Ohio. The highest measured wind gust was 63 mph at Columbus Grove (Putnam).

More information

Mr. P s Science Test!

Mr. P s Science Test! WEATHER- 2017 Mr. P s Science Test! # Name Date 1. Draw and label a weather station model. (10 pts) 2. The is the layer of the atmosphere with our weather. 3. Meteorologists classify clouds in about different

More information

Workshop on Drought and Extreme Temperatures: Preparedness and Management for Sustainable Agriculture, Forestry and Fishery

Workshop on Drought and Extreme Temperatures: Preparedness and Management for Sustainable Agriculture, Forestry and Fishery Workshop on Drought and Extreme Temperatures: Preparedness and Management for Sustainable Agriculture, Forestry and Fishery 16-17 Feb.2009, Beijing, China Modeling Apple Tree Bud burst time and frost risk

More information

While all thunderstorms are dangerous, the National Weather Service (NWS) defines a severe thunderstorm as one that:

While all thunderstorms are dangerous, the National Weather Service (NWS) defines a severe thunderstorm as one that: While all thunderstorms are dangerous, the National Weather Service (NWS) defines a severe thunderstorm as one that: Produces hail at least three-quarters of an inch in diameter. Has winds of 58 miles

More information

Weather and Climate 1. Elements of the weather

Weather and Climate 1. Elements of the weather Weather and Climate 1 affect = to have an effect on, influence, change altitude = the height of a place above the sea axis = the line around which an object rotates certain = special consist of = to be

More information

III. Section 3.3 Vertical air motion can cause severe storms

III. Section 3.3 Vertical air motion can cause severe storms III. Section 3.3 Vertical air motion can cause severe storms http://www.youtube.com/watch?v=nxwbr60tflg&feature=relmfu A. Thunderstorms form from rising moist air Electrical charges build up near the tops

More information

Preparing For Winter Weather At Home & In The Workplace. Brandon Peloquin, Warning Coordination Meteorologist NWS Wilmington OH

Preparing For Winter Weather At Home & In The Workplace. Brandon Peloquin, Warning Coordination Meteorologist NWS Wilmington OH Preparing For Winter Weather At Home & In The Workplace Brandon Peloquin, Warning Coordination Meteorologist NWS Wilmington OH What We Will Talk About Introduction to the National Weather Service How we

More information

5.2 IDENTIFICATION OF NATURAL HAZARDS OF CONCERN

5.2 IDENTIFICATION OF NATURAL HAZARDS OF CONCERN 5.2 IDENTIFICATION OF NATURAL HAZARDS OF CONCERN To provide a strong foundation for mitigation strategies considered in Sections 6 and 9, County considered a full range of natural s that could impact area,

More information

Definitions Weather and Climate Climates of NYS Weather Climate 2012 Characteristics of Climate Regions of NYS NYS s Climates 1.

Definitions Weather and Climate Climates of NYS Weather Climate 2012 Characteristics of Climate Regions of NYS NYS s Climates 1. Definitions Climates of NYS Prof. Anthony Grande 2012 Weather and Climate Weather the state of the atmosphere at one point in time. The elements of weather are temperature, t air pressure, wind and moisture.

More information

Thunderstorm. Thunderstorms result from the rapid upward movement of warm, moist air.

Thunderstorm. Thunderstorms result from the rapid upward movement of warm, moist air. Severe Weather Thunderstorm A thunderstorm (aka an electrical storm, a lightning storm, or a thundershower) is a type of storm characterized by the presence of lightning and its acoustic effect, thunder.

More information

Weather. Weather Patterns

Weather. Weather Patterns Weather Weather Patterns What do you think? Read the two statements below and decide whether you agree or disagree with them. Place an A in the Before column if you agree with the statement or a D if you

More information

STEUBEN COUNTY, NEW YORK. Hazard Analysis Report

STEUBEN COUNTY, NEW YORK. Hazard Analysis Report STEUBEN COUNTY, NEW YORK Hazard Analysis Report Prepared by: April 1, 2014 Background On April 1, 2014 the Steuben County Office of Emergency Management conducted a hazard analysis using the automated

More information

Unit: Weather Study Guide

Unit: Weather Study Guide Name: Period: Unit: Weather Study Guide Define each vocabulary word on a separate piece of paper or index card. Weather Climate Temperature Wind chill Heat index Sky conditions UV index Visibility Wind

More information

Multi-Jurisdictional Hazard Mitigation Plan. Table C.17 Disaster Declarations or Proclamations Affecting Perry County Presidential & Gubernatorial

Multi-Jurisdictional Hazard Mitigation Plan. Table C.17 Disaster Declarations or Proclamations Affecting Perry County Presidential & Gubernatorial Severe Weather General Severe weather affects the entire Commonwealth and can be expected any time of the year. Severe weather for Perry County is considered to include: blizzards and/or heavy snowfall,

More information

The of that surrounds the Earth. Atmosphere. A greenhouse that has produced the most global. Carbon Dioxide

The of that surrounds the Earth. Atmosphere. A greenhouse that has produced the most global. Carbon Dioxide Name: Date: # Weather and Climate Unit Review Directions: Complete this packet to help you prepare for your unit test by filling in the blanks to complete the definitions. Then if no picture is provided,

More information

Weather Elements (air masses, fronts & storms)

Weather Elements (air masses, fronts & storms) Weather Elements (air masses, fronts & storms) S6E4. Obtain, evaluate and communicate information about how the sun, land, and water affect climate and weather. A. Analyze and interpret data to compare

More information

West Carroll Parish Hazard Mitigation Plan Update Public Meeting. August 25, 2015 Oak Grove, LA

West Carroll Parish Hazard Mitigation Plan Update Public Meeting. August 25, 2015 Oak Grove, LA West Carroll Parish Hazard Mitigation Plan Update Public Meeting August 25, 2015 Oak Grove, LA Agenda Hazard Mitigation Planning Process SDMI Staff Risk Assessment SDMI Staff Update on Previous/Current

More information

Your Task: Read each slide then use the underlined red or underlined information to fill in your organizer.

Your Task: Read each slide then use the underlined red or underlined information to fill in your organizer. Severe Weather: Tornadoes and Hurricanes Thunderstorms and Lightning S6E4 d. Construct an explanation of the relationship between air pressure, weather fronts, and air masses and meteorological events

More information

Winter Weather. National Weather Service Buffalo, NY

Winter Weather. National Weather Service Buffalo, NY Winter Weather National Weather Service Buffalo, NY Average Seasonal Snowfall SNOWFALL = BIG IMPACTS School / government / business closures Airport shutdowns/delays Traffic accidents with injuries/fatalities

More information

Climate Variability and El Niño

Climate Variability and El Niño Climate Variability and El Niño David F. Zierden Florida State Climatologist Center for Ocean Atmospheric Prediction Studies The Florida State University UF IFAS Extenstion IST January 17, 2017 The El

More information

Precip Running Average {1} Precip July 0.00 July 0.00 August August 0.00

Precip Running Average {1} Precip July 0.00 July 0.00 August August 0.00 1990- Day Precip Comments Day Precip Comments 1991 1991 After year one, the table July 0.00 February 0.75 on the bottom left shows 0.00 5.00 1.35 the current year's totals h 0.00 12.15 0.40 29.25 barom.

More information

Village Weather, Snow, Ice, Breakup, Flooding, Fire sites

Village Weather, Snow, Ice, Breakup, Flooding, Fire sites Village Weather, Snow, Ice, Breakup, Flooding, Fire sites What is the weather like now in Villages?... 1 BREAKUP:... 2 Flooding... 3 Fires... 5 Weather Predictability, Weather and Ice Advisories and How

More information

Section 13-1: Thunderstorms

Section 13-1: Thunderstorms Section 13-1: Thunderstorms Chapter 13 Main Idea: The intensity and duration of thunderstorms depend on the local conditions that create them. Air-mass thunderstorm Mountain thunderstorm Sea-breeze thunderstorm

More information

My Weather Report Sunshine comes from the sun. Sunshine is on one half of the earth at a time. The sky doesn t have a lot of clouds on a sunny day.

My Weather Report Sunshine comes from the sun. Sunshine is on one half of the earth at a time. The sky doesn t have a lot of clouds on a sunny day. Sunshine comes from the sun. Sunshine is on one half of the earth at a time. The sky doesn t have a lot of clouds on a sunny day. Sunshine is the strongest near the equator. By A.J. Lightning is a very

More information

Hazardous Weather and Flooding Preparedness. Hazardous Weather and Flooding Preparedness

Hazardous Weather and Flooding Preparedness. Hazardous Weather and Flooding Preparedness Hazardous Weather and Flooding Preparedness 1 A Cooperative Effort 2 Administrative Information Emergency exits and procedures Location of restrooms Mobile devices Procedure for questions Course materials

More information

Forecasting Local Weather

Forecasting Local Weather Forecasting Local Weather Sea/Land Breeze Temperature Dew Fog Frost Snow Thunderstorms Tropical Cyclones Temperatures: Radiation Balance Typical Diurnal Variation of Temperature Min soon after dawn Temp

More information

Name Date Hour Table. Chapter 12-AP Lesson One

Name Date Hour Table. Chapter 12-AP Lesson One Name Date Hour Table 1. Chapter 12-AP Lesson One 2. 3. 4. 5. 6. 7. 8. 9. 10. 11. 12. 13. 14. 15. 16. 17. 18. 19. 20. 21. 22. Name Date Hour Table Directions: Answer each question to create your word bank.

More information

Climates of NYS. Definitions. Climate Regions of NYS. Storm Tracks. Climate Controls 10/13/2011. Characteristics of NYS s Climates

Climates of NYS. Definitions. Climate Regions of NYS. Storm Tracks. Climate Controls 10/13/2011. Characteristics of NYS s Climates Definitions Climates of NYS Prof. Anthony Grande 2011 Weather and Climate Weather the state of the atmosphere at one point in time. The elements of weather are temperature, air pressure, wind and moisture.

More information

Marine Corps Installations East Regional METOC Center MCAS Cherry Point, NC Standardized Weather Warnings Definitions

Marine Corps Installations East Regional METOC Center MCAS Cherry Point, NC Standardized Weather Warnings Definitions Marine Corps Installations East Regional METOC Center MCAS Cherry Point, NC Standardized Weather Warnings Definitions Updated: 25 June 2012 MCIE Standardized Weather Warnings Warning Local Wind Warning

More information

Summer extreme events in 2016 and winter severe condition dzud in Mongolia. JARGALAN Bayaraa, ALTANTULGA Chuluun

Summer extreme events in 2016 and winter severe condition dzud in Mongolia. JARGALAN Bayaraa, ALTANTULGA Chuluun The 4 th Session of East Asia winter Climate Outlook Forum (EASCOF-IV) 8-9 November 2016 Ulaanbaatar, Mongolia Summer extreme events in 2016 and winter severe condition dzud in Mongolia JARGALAN Bayaraa,

More information

Earth/Space Systems and Cycles (SOL 4.6)

Earth/Space Systems and Cycles (SOL 4.6) Earth/Space Systems and Cycles (SOL 4.6) Temperature is the measure of the amount of heat energy in the atmosphere. Air pressure is due to the weight of the air and is determined by several factors including

More information

Weekly Weather Briefing. NWS Albuquerque. Wet, Then Dry, Then Wet. NWS Albuquerque August 4, Weekly Weather Briefing

Weekly Weather Briefing. NWS Albuquerque. Wet, Then Dry, Then Wet. NWS Albuquerque August 4, Weekly Weather Briefing Weekly Weather Briefing Weekly Weather Briefing Wet, Then Dry, Then Wet August 4, 2014 Weekly Weather Briefing Most Recent Temperatures Weekly Weather Briefing Today s Max Temp Departure from Normal Weekly

More information

4.1 Hazard Identification: Natural Hazards

4.1 Hazard Identification: Natural Hazards data is provided in an annex, it should be assumed that the risk and potential impacts to the affected jurisdiction are similar to those described here for the entire Sacramento County Planning Area. This

More information

SPEARFISH FIRE DEPARTMENT POLICIES AND PROCEDURES

SPEARFISH FIRE DEPARTMENT POLICIES AND PROCEDURES SPEARFISH FIRE DEPARTMENT POLICIES AND PROCEDURES Page 1 of 5 Volume: Operation Section: 20.00 Number: 20.09 Subject: Weather Watches, Warnings, Advisory s and Spotter Activation Date Issued: 28 March

More information

CH. 3: Climate and Vegetation

CH. 3: Climate and Vegetation CH. 3: Climate and Vegetation GROUP WORK RUBRIC Score of 50 (5): Superior - 100% A 5 is superior work, and has completed all requirements of the assignments, it is in order and its presentation is almost

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

4 Forecasting Weather

4 Forecasting Weather CHAPTER 2 4 Forecasting Weather SECTION Understanding Weather BEFORE YOU READ After you read this section, you should be able to answer these questions: What instruments are used to forecast weather? How

More information

Adaptation by Design: The Impact of the Changing Climate on Infrastructure

Adaptation by Design: The Impact of the Changing Climate on Infrastructure Adaptation by Design: The Impact of the Changing Climate on Infrastructure Heather Auld, J Klaassen, S Fernandez, S Eng, S Cheng, D MacIver, N Comer Adaptation and Impacts Research Division Environment

More information

25.1 Air Masses. Section 25.1 Objectives

25.1 Air Masses. Section 25.1 Objectives Section 25.1 Objectives Explain how an air mass forms. List the four main types of air masses. Describe how air masses affect the weather of North America. Air Masses 25.1 Air Masses Differences in air

More information

National Maritime Center

National Maritime Center National Maritime Center Providing Credentials to Mariners (Sample Examination) Page 1 of 5 Choose the best answer to the following Multiple Choice Questions. 1. Fog is formed when which condition exists?

More information

2014 Russell County Hazard Mitigation Plan Update STAKEHOLDERS AND TECHNICAL ADVISORS MEETING 2/6/14

2014 Russell County Hazard Mitigation Plan Update STAKEHOLDERS AND TECHNICAL ADVISORS MEETING 2/6/14 2014 Russell County Hazard Mitigation Plan Update STAKEHOLDERS AND TECHNICAL ADVISORS MEETING 2/6/14 Welcome and Introductions We cannot direct the wind, but we can adjust our sails. 44 CFR 201.6; Local

More information

Three things necessary for weather are Heat, Air, Moisture (HAM) Weather takes place in the Troposphere (The lower part of the atmosphere).

Three things necessary for weather are Heat, Air, Moisture (HAM) Weather takes place in the Troposphere (The lower part of the atmosphere). Grade 5 SCIENCE WEATHER WATCH Name: STUDY NOTES Weather - The condition of the atmosphere with respect to heat/cold, wetness/dryness, clearness/ cloudiness for a period of time. Weather changes over time

More information

Guided Notes Weather. Part 2: Meteorology Air Masses Fronts Weather Maps Storms Storm Preparation

Guided Notes Weather. Part 2: Meteorology Air Masses Fronts Weather Maps Storms Storm Preparation Guided Notes Weather Part 2: Meteorology Air Masses Fronts Weather Maps Storms Storm Preparation The map below shows North America and its surrounding bodies of water. Country borders are shown. On the

More information

Untitled.notebook May 12, Thunderstorms. Moisture is needed to form clouds and precipitation the lifting of air, or uplift, must be very strong

Untitled.notebook May 12, Thunderstorms. Moisture is needed to form clouds and precipitation the lifting of air, or uplift, must be very strong Thunderstorms Moisture is needed to form clouds and precipitation the lifting of air, or uplift, must be very strong cold air and warm air must mix; creating an active circulation system that has both

More information

Air Masses, Fronts & Storms

Air Masses, Fronts & Storms Air Masses, Fronts & Storms Air Masses and Fronts Bell Work Define Terms (page 130-135) Vocab Word Definition Picture Air Mass A huge body of air that has smilier temperature, humidity and air pressure

More information

Monthly Long Range Weather Commentary Issued: May 15, 2014 Steven A. Root, CCM, President/CEO

Monthly Long Range Weather Commentary Issued: May 15, 2014 Steven A. Root, CCM, President/CEO Monthly Long Range Weather Commentary Issued: May 15, 2014 Steven A. Root, CCM, President/CEO sroot@weatherbank.com APRIL 2014 REVIEW Climate Highlights The Month in Review The average temperature for

More information

Natural Processes. Were you prepared for the fast approaching storm? Were you able to take shelter? What about pets, livestock or plants?

Natural Processes. Were you prepared for the fast approaching storm? Were you able to take shelter? What about pets, livestock or plants? Have you ever been caught in a storm? You are outside on a summer night and all of a sudden here come the wind, lightning and heavy rain. It starts raining so hard that you can hardly see in front of you.

More information

Severe Thunderstorms

Severe Thunderstorms Severe Thunderstorms Severe Thunderstorms Explain that, while all thunderstorms are dangerous, the National Weather Service (NWS) defines a severe thunderstorm as one that: Display Slide Th-0 Produces

More information

WMO Statement on the State of the Global Climate Preliminary conclusions for 2018 and WMO Greenhouse Bulletin

WMO Statement on the State of the Global Climate Preliminary conclusions for 2018 and WMO Greenhouse Bulletin WMO Statement on the State of the Global Climate Preliminary conclusions for 2018 and WMO Greenhouse Bulletin Dr Elena Manaenkova Deputy Secretary General World Meteorological Organisation Statement on

More information

1. What influence does the Coriolis force have on pressure gradient wind direction in the Northern Hemisphere?

1. What influence does the Coriolis force have on pressure gradient wind direction in the Northern Hemisphere? 1. What influence does the Coriolis force have on pressure gradient wind direction in the Northern Hemisphere? A. Pushes wind to the left B. Pushes wind to the right C. Pushes wind up D. Pushes wind backwards

More information

Contents. Chapter 1 Introduction Chapter 2 Cyclones Chapter 3 Hurricanes Chapter 4 Tornadoes... 36

Contents. Chapter 1 Introduction Chapter 2 Cyclones Chapter 3 Hurricanes Chapter 4 Tornadoes... 36 Contents Chapter 1 Introduction.... 4 Chapter 2 Cyclones.... 14 Chapter 3 Hurricanes... 22 Chapter 4 Tornadoes.... 36 Chapter 5 The Perfect Storm... 52 Chapter 6 Hurricane Katrina... 62 Chapter 7 Joplin

More information

4 Forecasting Weather

4 Forecasting Weather CHAPTER 16 4 Forecasting Weather SECTION Understanding Weather BEFORE YOU READ After you read this section, you should be able to answer these questions: What instruments are used to forecast weather?

More information

Meteorology. Chapter 10 Worksheet 2

Meteorology. Chapter 10 Worksheet 2 Chapter 10 Worksheet 2 Meteorology Name: Circle the letter that corresponds to the correct answer 1) Downdrafts totally dominate the in the development of a thunderstorm. a) dissipating stage b) mature

More information

Comprehensive Emergency Management Plan

Comprehensive Emergency Management Plan Comprehensive Emergency Management Plan Section 6- Severe Weather/Wildfire Annex Blank Intentionally 2 CEMP Annex 6 11 Severe Weather / Wildfire Annex I. PURPOSE This plan outlines the procedures to be

More information

Meteorological alert system in NMS of Mongolia

Meteorological alert system in NMS of Mongolia Meteorological alert system in NMS of Mongolia L.Oyunjargal, NAMEM Regional Workshop on Impact-based Forecasts in Asia Seoul, Korea, 07-09 NOV 2017 Weather related disasters 1. Strong wind and snow and

More information

MODELLING FROST RISK IN APPLE TREE, IRAN. Mohammad Rahimi

MODELLING FROST RISK IN APPLE TREE, IRAN. Mohammad Rahimi WMO Regional Seminar on strategic Capacity Development of National Meteorological and Hydrological Services in RA II (Opportunity and Challenges in 21th century) Tashkent, Uzbekistan, 3-4 December 2008

More information

Global Climate Change and the Implications for Oklahoma. Gary McManus Associate State Climatologist Oklahoma Climatological Survey

Global Climate Change and the Implications for Oklahoma. Gary McManus Associate State Climatologist Oklahoma Climatological Survey Global Climate Change and the Implications for Oklahoma Gary McManus Associate State Climatologist Oklahoma Climatological Survey Our previous stance on global warming Why the anxiety? Extreme Viewpoints!

More information

Global Climate Change and the Implications for Oklahoma. Gary McManus Associate State Climatologist Oklahoma Climatological Survey

Global Climate Change and the Implications for Oklahoma. Gary McManus Associate State Climatologist Oklahoma Climatological Survey Global Climate Change and the Implications for Oklahoma Gary McManus Associate State Climatologist Oklahoma Climatological Survey OCS LEGISLATIVE MANDATES Conduct and report on studies of climate and weather

More information

Lab Report Sheet. Title. Hypothesis (What I Think Will Happen) Materials (What We Used) Procedure (What We Did)

Lab Report Sheet. Title. Hypothesis (What I Think Will Happen) Materials (What We Used) Procedure (What We Did) Appendix 93 94 Lab Report Sheet Title Hypothesis (What I Think Will Happen) Materials (What We Used) Procedure (What We Did) Observations and Results (What I Saw and Measured) Worksheet prepared by Elemental

More information

Unit 5 Part 2 Test PPT

Unit 5 Part 2 Test PPT Unit 5 Part 2 Test PPT Standard 1: Air Masses Air Mass An air mass is an immense body of air that is characterized by similar temperatures and amounts of moisture at any given altitude When an air mass

More information

Weather Maps. Name:& & &&&&&Advisory:& & 1.! A&weather&map&is:& & & & 2.! Weather&fronts&are:& & & & & &

Weather Maps. Name:& & &&&&&Advisory:& & 1.! A&weather&map&is:& & & & 2.! Weather&fronts&are:& & & & & & Name: Advisory: Weather Maps 1. Aweathermapis: 2. Weatherfrontsare: a. Labelthefrontsbelow: 1. 2. 3. 4. 3. Clovercoversymbols 4. Precipitationsymbols 5. 6. 7. 8. 5. RadarEchoIntensityshows 6. Isobarsare

More information

THUNDERSTORMS Brett Ewing October, 2003

THUNDERSTORMS Brett Ewing October, 2003 THUNDERSTORMS Brett Ewing October, 2003 A natural hazard that occurs often on a daily basis in the lower and mid-latitudes is thunderstorms. Thunderstorms is a weather system that can produce lightning,tornadoes,

More information